hexsha
stringlengths
40
40
size
int64
3
1.05M
ext
stringclasses
1 value
lang
stringclasses
1 value
max_stars_repo_path
stringlengths
5
1.02k
max_stars_repo_name
stringlengths
4
126
max_stars_repo_head_hexsha
stringlengths
40
78
max_stars_repo_licenses
list
max_stars_count
float64
1
191k
max_stars_repo_stars_event_min_datetime
stringlengths
24
24
max_stars_repo_stars_event_max_datetime
stringlengths
24
24
max_issues_repo_path
stringlengths
5
1.02k
max_issues_repo_name
stringlengths
4
114
max_issues_repo_head_hexsha
stringlengths
40
78
max_issues_repo_licenses
list
max_issues_count
float64
1
92.2k
max_issues_repo_issues_event_min_datetime
stringlengths
24
24
max_issues_repo_issues_event_max_datetime
stringlengths
24
24
max_forks_repo_path
stringlengths
5
1.02k
max_forks_repo_name
stringlengths
4
136
max_forks_repo_head_hexsha
stringlengths
40
78
max_forks_repo_licenses
list
max_forks_count
float64
1
105k
max_forks_repo_forks_event_min_datetime
stringlengths
24
24
max_forks_repo_forks_event_max_datetime
stringlengths
24
24
avg_line_length
float64
2.55
99.9
max_line_length
int64
3
1k
alphanum_fraction
float64
0.25
1
index
int64
0
1M
content
stringlengths
3
1.05M
3e1e5c6d5fceebe8b5d4197dd72cb7f45188598c
7,487
java
Java
src/main/java/eu/europa/ec/dgc/gateway/connector/DgcGatewayDownloadConnector.java
xelzmm/dgc-lib
7ac4f7b0f274f99c99f27101955a7f40929d4fb2
[ "Apache-2.0" ]
12
2021-04-23T10:45:09.000Z
2021-08-10T07:06:12.000Z
src/main/java/eu/europa/ec/dgc/gateway/connector/DgcGatewayDownloadConnector.java
xelzmm/dgc-lib
7ac4f7b0f274f99c99f27101955a7f40929d4fb2
[ "Apache-2.0" ]
82
2021-04-17T13:54:42.000Z
2022-03-28T09:59:50.000Z
src/main/java/eu/europa/ec/dgc/gateway/connector/DgcGatewayDownloadConnector.java
xelzmm/dgc-lib
7ac4f7b0f274f99c99f27101955a7f40929d4fb2
[ "Apache-2.0" ]
20
2021-04-26T14:44:16.000Z
2022-03-11T12:32:19.000Z
40.47027
118
0.720849
12,852
/*- * ---license-start * EU Digital Green Certificate Gateway Service / dgc-lib * --- * Copyright (C) 2021 T-Systems International GmbH and all other contributors * --- * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * ---license-end */ package eu.europa.ec.dgc.gateway.connector; import eu.europa.ec.dgc.gateway.connector.client.DgcGatewayConnectorRestClient; import eu.europa.ec.dgc.gateway.connector.config.DgcGatewayConnectorConfigProperties; import eu.europa.ec.dgc.gateway.connector.dto.CertificateTypeDto; import eu.europa.ec.dgc.gateway.connector.dto.TrustListItemDto; import eu.europa.ec.dgc.gateway.connector.mapper.TrustListMapper; import eu.europa.ec.dgc.gateway.connector.model.TrustListItem; import eu.europa.ec.dgc.signing.SignedCertificateMessageParser; import feign.FeignException; import java.security.Security; import java.time.LocalDateTime; import java.time.temporal.ChronoUnit; import java.util.ArrayList; import java.util.Collections; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.stream.Collectors; import javax.annotation.PostConstruct; import lombok.Getter; import lombok.RequiredArgsConstructor; import lombok.extern.slf4j.Slf4j; import org.bouncycastle.cert.X509CertificateHolder; import org.bouncycastle.jce.provider.BouncyCastleProvider; import org.springframework.beans.factory.config.ConfigurableBeanFactory; import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty; import org.springframework.context.annotation.Lazy; import org.springframework.context.annotation.Scope; import org.springframework.http.HttpStatus; import org.springframework.http.ResponseEntity; import org.springframework.scheduling.annotation.EnableScheduling; import org.springframework.stereotype.Service; @ConditionalOnProperty("dgc.gateway.connector.enabled") @Lazy @Service @Scope(ConfigurableBeanFactory.SCOPE_SINGLETON) @RequiredArgsConstructor @EnableScheduling @Slf4j public class DgcGatewayDownloadConnector { private final DgcGatewayConnectorUtils connectorUtils; private final DgcGatewayConnectorRestClient dgcGatewayConnectorRestClient; private final DgcGatewayConnectorConfigProperties properties; private final TrustListMapper trustListMapper; @Getter private LocalDateTime lastUpdated = null; private List<TrustListItem> trustedCertificates = new ArrayList<>(); private List<X509CertificateHolder> trustedCscaCertificates = new ArrayList<>(); private Map<String, X509CertificateHolder> trustedCscaCertificateMap = new HashMap<>(); private List<X509CertificateHolder> trustedUploadCertificates = new ArrayList<>(); @PostConstruct void init() { Security.addProvider(new BouncyCastleProvider()); } /** * Gets the list of downloaded and validated trusted signer certificates. * This call will return a cached list if caching is enabled. * If cache is outdated a refreshed list will be returned. * * @return List of {@link TrustListItem} */ public List<TrustListItem> getTrustedCertificates() { updateIfRequired(); return Collections.unmodifiableList(trustedCertificates); } private synchronized void updateIfRequired() { if (lastUpdated == null || ChronoUnit.SECONDS.between(lastUpdated, LocalDateTime.now()) >= properties.getMaxCacheAge()) { log.info("Maximum age of cache reached. Fetching new TrustList from DGCG."); trustedCscaCertificates = connectorUtils.fetchCertificatesAndVerifyByTrustAnchor(CertificateTypeDto.CSCA); log.info("CSCA TrustStore contains {} trusted certificates.", trustedCscaCertificates.size()); trustedCscaCertificateMap = trustedCscaCertificates.stream() .collect(Collectors.toMap((ca) -> ca.getSubject().toString(), (ca) -> ca)); trustedUploadCertificates = connectorUtils.fetchCertificatesAndVerifyByTrustAnchor(CertificateTypeDto.UPLOAD); log.info("Upload TrustStore contains {} trusted certificates.", trustedUploadCertificates.size()); fetchTrustListAndVerifyByCscaAndUpload(); log.info("DSC TrustStore contains {} trusted certificates.", trustedCertificates.size()); } else { log.debug("Cache needs no refresh."); } } private void fetchTrustListAndVerifyByCscaAndUpload() { log.info("Fetching TrustList from DGCG"); ResponseEntity<List<TrustListItemDto>> responseEntity; try { responseEntity = dgcGatewayConnectorRestClient.getTrustedCertificates(CertificateTypeDto.DSC); } catch (FeignException e) { log.error("Download of TrustListItems failed. DGCG responded with status code: {}", e.status()); return; } List<TrustListItemDto> downloadedDcs = responseEntity.getBody(); if (responseEntity.getStatusCode() != HttpStatus.OK || downloadedDcs == null) { log.error("Download of TrustListItems failed. DGCG responded with status code: {}", responseEntity.getStatusCode()); return; } else { log.info("Got Response from DGCG, Downloaded Certificates: {}", downloadedDcs.size()); } trustedCertificates = downloadedDcs.stream() .filter(this::checkCscaCertificate) .filter(this::checkUploadCertificate) .map(trustListMapper::map) .collect(Collectors.toList()); lastUpdated = LocalDateTime.now(); log.info("Put {} trusted certificates into TrustList", trustedCertificates.size()); } private boolean checkCscaCertificate(TrustListItemDto trustListItem) { boolean result = connectorUtils.trustListItemSignedByCa(trustListItem, trustedCscaCertificateMap); if (!result) { log.info("Could not find valid CSCA for DSC {}", trustListItem.getKid()); } return result; } private boolean checkUploadCertificate(TrustListItemDto trustListItem) { if (properties.isDisableUploadCertificateCheck()) { log.debug("Upload Certificate Check is disabled. Skipping Check."); return true; } SignedCertificateMessageParser parser = new SignedCertificateMessageParser(trustListItem.getSignature(), trustListItem.getRawData()); X509CertificateHolder uploadCertificate = parser.getSigningCertificate(); if (uploadCertificate == null) { log.error("Invalid CMS for DSC {} of {}", trustListItem.getKid(), trustListItem.getCountry()); return false; } if (!parser.isSignatureVerified()) { log.error("Invalid CMS Signature for DSC {} of {}", trustListItem.getKid(), trustListItem.getCountry()); } return trustedUploadCertificates .stream() .anyMatch(uploadCertificate::equals); } }
3e1e5c704618597ac82f034f1080e1a7d5395ee0
973
java
Java
ntsiot-system/src/main/java/com/nts/iot/modules/system/model/InformConfig.java
luolxb/tracker-server
74f81cc9e511c0bc75a98440d1fad2a25a827ce3
[ "Apache-2.0" ]
null
null
null
ntsiot-system/src/main/java/com/nts/iot/modules/system/model/InformConfig.java
luolxb/tracker-server
74f81cc9e511c0bc75a98440d1fad2a25a827ce3
[ "Apache-2.0" ]
null
null
null
ntsiot-system/src/main/java/com/nts/iot/modules/system/model/InformConfig.java
luolxb/tracker-server
74f81cc9e511c0bc75a98440d1fad2a25a827ce3
[ "Apache-2.0" ]
1
2021-12-20T07:54:15.000Z
2021-12-20T07:54:15.000Z
18.301887
61
0.651546
12,853
package com.nts.iot.modules.system.model; import com.baomidou.mybatisplus.annotation.IdType; import com.baomidou.mybatisplus.annotation.TableField; import com.baomidou.mybatisplus.annotation.TableId; import com.baomidou.mybatisplus.annotation.TableName; import com.baomidou.mybatisplus.extension.activerecord.Model; import lombok.Data; /** * 新闻 * @Author: kenaa@example.com * @Date: 2019/6/12 09:29 * @Description: */ @TableName("inform_config") @Data public class InformConfig extends Model<InformConfig> { @TableId(value = "id", type = IdType.AUTO) private Long id; /** * 新闻标题 */ private String title; /** * 新闻内容 */ private String content; /** * 辖区 */ @TableField("dept_id") private Long deptId; /** * 创建时间 */ @TableField(value = "create_time") private Long createTime; /** * 修改时间 */ @TableField(value = "update_time") private Long updateTime; }
3e1e5cb91df256a1e93a25ba74be513df43e7c30
4,988
java
Java
gradle/wrapper/dists/gradle-2.2.1-all/c64ydeuardnfqctvr1gm30w53/gradle-2.2.1/src/plugins/org/gradle/api/internal/tasks/testing/junit/JUnitTestFramework.java
bit-man/pushfish-android
5f4fcf56adf5a8cdb6f31d91c315bcd3b3dc93bc
[ "BSD-2-Clause" ]
158
2015-04-18T23:39:02.000Z
2021-07-01T18:28:29.000Z
gradle/wrapper/dists/gradle-2.2.1-all/c64ydeuardnfqctvr1gm30w53/gradle-2.2.1/src/plugins/org/gradle/api/internal/tasks/testing/junit/JUnitTestFramework.java
bit-man/pushfish-android
5f4fcf56adf5a8cdb6f31d91c315bcd3b3dc93bc
[ "BSD-2-Clause" ]
31
2015-04-29T18:52:40.000Z
2020-06-29T19:25:24.000Z
gradle/wrapper/dists/gradle-2.2.1-all/c64ydeuardnfqctvr1gm30w53/gradle-2.2.1/src/plugins/org/gradle/api/internal/tasks/testing/junit/JUnitTestFramework.java
bit-man/pushfish-android
5f4fcf56adf5a8cdb6f31d91c315bcd3b3dc93bc
[ "BSD-2-Clause" ]
32
2016-01-05T21:58:24.000Z
2021-06-21T21:56:34.000Z
40.552846
157
0.712109
12,854
/* * Copyright 2010 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.gradle.api.internal.tasks.testing.junit; import org.gradle.api.Action; import org.gradle.api.GradleException; import org.gradle.api.internal.tasks.testing.TestClassProcessor; import org.gradle.api.internal.tasks.testing.TestFramework; import org.gradle.api.internal.tasks.testing.WorkerTestClassProcessorFactory; import org.gradle.api.internal.tasks.testing.detection.ClassFileExtractionManager; import org.gradle.api.internal.tasks.testing.filter.DefaultTestFilter; import org.gradle.api.tasks.testing.Test; import org.gradle.api.tasks.testing.junit.JUnitOptions; import org.gradle.internal.classpath.DefaultClassPath; import org.gradle.internal.id.IdGenerator; import org.gradle.internal.service.ServiceRegistry; import org.gradle.messaging.actor.ActorFactory; import org.gradle.process.internal.WorkerProcessBuilder; import java.io.Serializable; import java.net.URLClassLoader; public class JUnitTestFramework implements TestFramework { private JUnitOptions options; private JUnitDetector detector; private final Test testTask; private DefaultTestFilter filter; public JUnitTestFramework(Test testTask, DefaultTestFilter filter) { this.testTask = testTask; this.filter = filter; options = new JUnitOptions(); detector = new JUnitDetector(new ClassFileExtractionManager(testTask.getTemporaryDirFactory())); } public WorkerTestClassProcessorFactory getProcessorFactory() { verifyJUnitCategorySupport(); verifyJUnitFilteringSupport(); return new TestClassProcessorFactoryImpl(new JUnitSpec(options.getIncludeCategories(), options.getExcludeCategories(), filter.getIncludePatterns())); } private void verifyJUnitCategorySupport() { if (!options.getExcludeCategories().isEmpty() || !options.getIncludeCategories().isEmpty()) { try { getTestClassLoader().loadClass("org.junit.experimental.categories.Category"); } catch (ClassNotFoundException e) { throw new GradleException("JUnit Categories defined but declared JUnit version does not support Categories."); } } } private void verifyJUnitFilteringSupport() { if (!filter.getIncludePatterns().isEmpty()) { try { Class<?> descriptionClass = getTestClassLoader().loadClass("org.junit.runner.Description"); descriptionClass.getMethod("getClassName"); } catch (ClassNotFoundException e) { //JUnit 3.8.1 filteringNotSupported(); } catch (NoSuchMethodException e) { //JUnit 4.5- filteringNotSupported(); } catch (Exception e) { throw new RuntimeException("Problem encountered when detecting support for JUnit filtering.", e); } } } private URLClassLoader getTestClassLoader() { return new URLClassLoader(new DefaultClassPath(testTask.getClasspath()).getAsURLArray(), null); } private void filteringNotSupported() { throw new GradleException("Test filtering is not supported for given version of JUnit. Please upgrade JUnit version to at least 4.6."); } public Action<WorkerProcessBuilder> getWorkerConfigurationAction() { return new Action<WorkerProcessBuilder>() { public void execute(WorkerProcessBuilder workerProcessBuilder) { workerProcessBuilder.sharedPackages("junit.framework"); workerProcessBuilder.sharedPackages("junit.extensions"); workerProcessBuilder.sharedPackages("org.junit"); } }; } public JUnitOptions getOptions() { return options; } void setOptions(JUnitOptions options) { this.options = options; } public JUnitDetector getDetector() { return detector; } private static class TestClassProcessorFactoryImpl implements WorkerTestClassProcessorFactory, Serializable { private final JUnitSpec spec; public TestClassProcessorFactoryImpl(JUnitSpec spec) { this.spec = spec; } public TestClassProcessor create(ServiceRegistry serviceRegistry) { return new JUnitTestClassProcessor(spec, serviceRegistry.get(IdGenerator.class), serviceRegistry.get(ActorFactory.class), new JULRedirector()); } } }
3e1e5db51a867890f8cfd51922f6626b7312954f
764
java
Java
src/main/java/my/stadiums/life/stadium/control/CityDAO.java
zoludj/MyStadiums
a1db8f4e0ce88ccf22b7af6e95c39251fc214250
[ "MIT" ]
null
null
null
src/main/java/my/stadiums/life/stadium/control/CityDAO.java
zoludj/MyStadiums
a1db8f4e0ce88ccf22b7af6e95c39251fc214250
[ "MIT" ]
null
null
null
src/main/java/my/stadiums/life/stadium/control/CityDAO.java
zoludj/MyStadiums
a1db8f4e0ce88ccf22b7af6e95c39251fc214250
[ "MIT" ]
null
null
null
22.470588
71
0.683246
12,855
package my.stadiums.life.stadium.control; import my.stadiums.life.stadium.model.CityEntity; import javax.ejb.Stateless; import javax.persistence.EntityManager; import javax.persistence.PersistenceContext; import java.util.List; @Stateless public class CityDAO { @PersistenceContext private EntityManager em; public List<CityEntity> getAllCities() { return em.createQuery("select s from City s", CityEntity.class) .getResultList(); } public CityEntity getCityById(long id) { return em.find(CityEntity.class, id); } public CityEntity update (CityEntity city){ var tmp = em.merge(city); return tmp; } public void create(CityEntity city) { em.persist(city); } }
3e1e5e5b31bd01194147a32e1f3ea5c19e898efc
2,285
java
Java
rx-java2-gen/src/main/java/io/vertx/reactivex/impl/AsyncResultSingle.java
okou19900722/vertx-rx
4211ad4c2c588ddfb5d1769aeeb3679ad6f07dd6
[ "Apache-2.0" ]
null
null
null
rx-java2-gen/src/main/java/io/vertx/reactivex/impl/AsyncResultSingle.java
okou19900722/vertx-rx
4211ad4c2c588ddfb5d1769aeeb3679ad6f07dd6
[ "Apache-2.0" ]
null
null
null
rx-java2-gen/src/main/java/io/vertx/reactivex/impl/AsyncResultSingle.java
okou19900722/vertx-rx
4211ad4c2c588ddfb5d1769aeeb3679ad6f07dd6
[ "Apache-2.0" ]
null
null
null
29.727273
96
0.625164
12,856
package io.vertx.reactivex.impl; import io.reactivex.Single; import io.reactivex.SingleObserver; import io.reactivex.annotations.NonNull; import io.reactivex.disposables.Disposable; import io.reactivex.plugins.RxJavaPlugins; import io.vertx.core.AsyncResult; import io.vertx.core.Handler; import io.vertx.core.impl.logging.Logger; import io.vertx.core.impl.logging.LoggerFactory; import java.util.concurrent.atomic.AtomicBoolean; import java.util.function.Consumer; /** * @author <a href="mailto:dycjh@example.com">Julien Viet</a> */ public class AsyncResultSingle<T> extends Single<T> { private static final Logger log = LoggerFactory.getLogger(AsyncResultSingle.class); public static <T> Single<T> toSingle(Consumer<Handler<AsyncResult<T>>> subscriptionConsumer) { return RxJavaPlugins.onAssembly(new AsyncResultSingle<T>(subscriptionConsumer)); } private final Consumer<Handler<AsyncResult<T>>> subscriptionConsumer; public AsyncResultSingle(Consumer<Handler<AsyncResult<T>>> subscriptionConsumer) { this.subscriptionConsumer = subscriptionConsumer; } @Override protected void subscribeActual(@NonNull SingleObserver<? super T> observer) { AtomicBoolean disposed = new AtomicBoolean(); observer.onSubscribe(new Disposable() { @Override public void dispose() { disposed.set(true); } @Override public boolean isDisposed() { return disposed.get(); } }); if (!disposed.get()) { try { subscriptionConsumer.accept(ar -> { if (!disposed.getAndSet(true)) { if (ar.succeeded()) { try { observer.onSuccess(ar.result()); } catch (Exception err) { log.error("Unexpected error", err); } } else if (ar.failed()) { try { observer.onError(ar.cause()); } catch (Exception err) { log.error("Unexpected error", err); } } } }); } catch (Exception e) { if (!disposed.getAndSet(true)) { try { observer.onError(e); } catch (Exception err) { log.error("Unexpected error", err); } } } } } }
3e1e5f18ebd763da7b92fe3f9b38bf6c5e42305a
645
java
Java
gulimall-product/src/main/java/com/haige/gulimall/product/dao/AttrGroupDao.java
cqh6666/my-guli-mall
73bc4578dc22d868a8a8aeff233ef48c8f2aa666
[ "Apache-2.0" ]
null
null
null
gulimall-product/src/main/java/com/haige/gulimall/product/dao/AttrGroupDao.java
cqh6666/my-guli-mall
73bc4578dc22d868a8a8aeff233ef48c8f2aa666
[ "Apache-2.0" ]
null
null
null
gulimall-product/src/main/java/com/haige/gulimall/product/dao/AttrGroupDao.java
cqh6666/my-guli-mall
73bc4578dc22d868a8a8aeff233ef48c8f2aa666
[ "Apache-2.0" ]
null
null
null
28.173913
132
0.790123
12,857
package com.haige.gulimall.product.dao; import com.haige.gulimall.product.entity.AttrGroupEntity; import com.baomidou.mybatisplus.core.mapper.BaseMapper; import com.haige.gulimall.product.vo.skuinfo.SpuItemAttrGroupVo; import org.apache.ibatis.annotations.Mapper; import org.apache.ibatis.annotations.Param; import java.util.List; /** * 属性分组 * * @author chenqinhai * @email kenaa@example.com * @date 2021-10-31 20:24:28 */ @Mapper public interface AttrGroupDao extends BaseMapper<AttrGroupEntity> { List<SpuItemAttrGroupVo> getAttrGroupWithAttrsBySpuIdAndCatelogId(@Param("spuId") Long spuId,@Param("catelogId")Long catalogId); }
3e1e5f58a0b6972009bd0cefb121ff3c4d7fb0a5
2,141
java
Java
org.jrebirth.af/core/src/test/java/org/jrebirth/af/core/util/ObjectUtilTest.java
Rizen59/JRebirth
93f4fc087b83c73db540333b9686e97b4cec694d
[ "Apache-2.0" ]
56
2015-01-19T21:22:26.000Z
2020-11-24T11:51:35.000Z
org.jrebirth.af/core/src/test/java/org/jrebirth/af/core/util/ObjectUtilTest.java
sbordes/JRebirth
ad1bf6471f9731db8e90d39177c1b6ac814f4a68
[ "Apache-2.0" ]
94
2015-01-24T18:04:40.000Z
2019-06-03T07:36:42.000Z
org.jrebirth.af/core/src/test/java/org/jrebirth/af/core/util/ObjectUtilTest.java
sbordes/JRebirth
ad1bf6471f9731db8e90d39177c1b6ac814f4a68
[ "Apache-2.0" ]
31
2015-01-30T08:51:51.000Z
2020-11-24T11:51:48.000Z
30.585714
88
0.603923
12,858
package org.jrebirth.af.core.util; import org.junit.Assert; import org.junit.Test; import org.slf4j.Logger; import org.slf4j.LoggerFactory; /** * The class <strong>ObjectUtilTest</strong>. * * @author Sébastien Bordes */ public class ObjectUtilTest { /** The class logger. */ private static final Logger LOGGER = LoggerFactory.getLogger(ObjectUtilTest.class); @Test public void equalsOrBothNull() { final String na = null; final String nb = null; final String a = "a_string"; final String a2 = "a_string"; final String b = "b_string"; Assert.assertTrue("Null <=> Null", ObjectUtility.equalsOrBothNull(na, nb)); Assert.assertFalse("A <=> Null", ObjectUtility.equalsOrBothNull(a, nb)); Assert.assertFalse("Null <=> B", ObjectUtility.equalsOrBothNull(na, b)); Assert.assertFalse("A <=> B", ObjectUtility.equalsOrBothNull(a, b)); Assert.assertFalse("B <=> A", ObjectUtility.equalsOrBothNull(b, a)); Assert.assertTrue("A <=> A'", ObjectUtility.equalsOrBothNull(a, a2)); Assert.assertFalse("B <=> A", ObjectUtility.equalsOrBothNull(b, a)); Assert.assertFalse("B <=> A'", ObjectUtility.equalsOrBothNull(b, a2)); } @Test public void notEquals() { final String na = null; final String nb = null; final String a = "a_string"; final String a2 = "a_string"; final String b = "b_string"; Assert.assertFalse("Null </=/> Null", ObjectUtility.notEquals(na, nb)); Assert.assertTrue("A </=/> Null", ObjectUtility.notEquals(a, nb)); Assert.assertTrue("Null </=/> B", ObjectUtility.notEquals(na, b)); Assert.assertTrue("A </=/> B", ObjectUtility.notEquals(a, b)); Assert.assertTrue("B </=/> A", ObjectUtility.notEquals(b, a)); Assert.assertFalse("A </=/> A'", ObjectUtility.notEquals(a, a2)); Assert.assertTrue("B </=/> A", ObjectUtility.notEquals(b, a)); Assert.assertTrue("B </=/> A'", ObjectUtility.notEquals(b, a2)); } }
3e1e602b819ee19dafbd25665b400457f54db9bc
1,945
java
Java
src/main/java/org/onap/aai/modelloader/gizmo/GizmoEdge.java
onap/aai-model-loader
93543c1bdc688b4e518fb2151a458f85095f5e25
[ "Apache-2.0" ]
null
null
null
src/main/java/org/onap/aai/modelloader/gizmo/GizmoEdge.java
onap/aai-model-loader
93543c1bdc688b4e518fb2151a458f85095f5e25
[ "Apache-2.0" ]
null
null
null
src/main/java/org/onap/aai/modelloader/gizmo/GizmoEdge.java
onap/aai-model-loader
93543c1bdc688b4e518fb2151a458f85095f5e25
[ "Apache-2.0" ]
null
null
null
28.188406
84
0.571722
12,859
/** * ============LICENSE_START======================================================= * org.onap.aai * ================================================================================ * Copyright © 2017-2018 AT&T Intellectual Property. All rights reserved. * Copyright © 2017-2018 European Software Marketing Ltd. * ================================================================================ * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * ============LICENSE_END========================================================= */ package org.onap.aai.modelloader.gizmo; import com.google.gson.Gson; import com.google.gson.GsonBuilder; public class GizmoEdge { private static final Gson gson = new GsonBuilder().create(); private String type; private String source; private String target; public String toJson() { return gson.toJson(this); } public static GizmoEdge fromJson(String jsonString) { return gson.fromJson(jsonString, GizmoEdge.class); } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getSource() { return source; } public void setSource(String source) { this.source = source; } public String getTarget() { return target; } public void setTarget(String target) { this.target = target; } }
3e1e608484ba3d3116ec304efb63a612102d34f1
1,458
java
Java
modules/urideploy/src/main/java/org/apache/ignite/spi/deployment/uri/scanners/UriDeploymentScanner.java
treelab/ignite
ec89c8586df89899ae56ebbc598639e0afea5901
[ "CC0-1.0" ]
4,339
2015-08-21T21:13:25.000Z
2022-03-30T09:56:44.000Z
modules/urideploy/src/main/java/org/apache/ignite/spi/deployment/uri/scanners/UriDeploymentScanner.java
treelab/ignite
ec89c8586df89899ae56ebbc598639e0afea5901
[ "CC0-1.0" ]
1,933
2015-08-24T11:37:40.000Z
2022-03-31T08:37:08.000Z
modules/urideploy/src/main/java/org/apache/ignite/spi/deployment/uri/scanners/UriDeploymentScanner.java
treelab/ignite
ec89c8586df89899ae56ebbc598639e0afea5901
[ "CC0-1.0" ]
2,140
2015-08-21T22:09:00.000Z
2022-03-25T07:57:34.000Z
30.375
75
0.698217
12,860
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.ignite.spi.deployment.uri.scanners; import java.net.URI; /** * URI deployment scanner. */ public interface UriDeploymentScanner { /** * Check whether scanner is able to process the given URI. * * @param uri URI. * @return {@code true} if scanner is able to process the URI. */ boolean acceptsURI(URI uri); /** * Scan the given URI. * * @param scanCtx Scan context. */ void scan(UriDeploymentScannerContext scanCtx); /** * Gets default scan frequency in milliseconds. * * @return Default scan frequency. */ long getDefaultScanFrequency(); }
3e1e612d5efe58b3a9316f3a4bb8ae442ecafb73
2,792
java
Java
gemp-swccg-logic/src/main/java/com/gempukku/swccgo/logic/timing/results/MovingAtStartOfAttackRunResult.java
stevetotheizz0/gemp-swccg-public
05529086de91ecb03807fda820d98ec8a1465246
[ "MIT" ]
19
2020-08-30T18:44:38.000Z
2022-02-10T18:23:49.000Z
gemp-swccg-logic/src/main/java/com/gempukku/swccgo/logic/timing/results/MovingAtStartOfAttackRunResult.java
stevetotheizz0/gemp-swccg-public
05529086de91ecb03807fda820d98ec8a1465246
[ "MIT" ]
480
2020-09-11T00:19:27.000Z
2022-03-31T19:46:37.000Z
gemp-swccg-logic/src/main/java/com/gempukku/swccgo/logic/timing/results/MovingAtStartOfAttackRunResult.java
stevetotheizz0/gemp-swccg-public
05529086de91ecb03807fda820d98ec8a1465246
[ "MIT" ]
21
2020-08-29T16:19:44.000Z
2022-03-29T01:37:39.000Z
29.389474
187
0.66798
12,861
package com.gempukku.swccgo.logic.timing.results; import com.gempukku.swccgo.game.PhysicalCard; import com.gempukku.swccgo.game.SwccgGame; import com.gempukku.swccgo.logic.GameUtils; import com.gempukku.swccgo.logic.effects.PreventableCardEffect; import com.gempukku.swccgo.logic.timing.EffectResult; /** * The effect result that is emitted when a starfighter begins to move at start of an Attack Run. */ public class MovingAtStartOfAttackRunResult extends EffectResult implements MovingResult { private PhysicalCard _cardMoving; private PhysicalCard _movingFrom; private PhysicalCard _movingTo; /** * Creates an effect result that is emitted when a starfighter begins to move at start of an Attack Run. * @param cardMoving the card that is moving * @param playerId the performing player * @param movingFrom the location the card is moving from * @param movingTo the location the card is moving to */ public MovingAtStartOfAttackRunResult(PhysicalCard cardMoving, String playerId, PhysicalCard movingFrom, PhysicalCard movingTo) { super(Type.MOVING_AT_START_OF_ATTACK_RUN, playerId); _cardMoving = cardMoving; _movingFrom = movingFrom; _movingTo = movingTo; } /** * Gets the card that is moving. * @return the card that is moving */ @Override public PhysicalCard getCardMoving() { return _cardMoving; } /** * Gets the location the card is moving from. * @return the location the card is moving from */ @Override public PhysicalCard getMovingFrom() { return _movingFrom; } /** * Gets the location the card is moving to. * @return the location the card is moving to */ @Override public PhysicalCard getMovingTo() { return _movingTo; } /** * Determine if movement is a 'react'. * @return true or false */ @Override public boolean isReact() { return false; } /** * Determine if movement is a 'move away'. * @return true or false */ @Override public boolean isMoveAway() { return false; } /** * Gets the interface that can be used to prevent the card from moving, or null. * @return the interface */ @Override public PreventableCardEffect getPreventableCardEffect() { return null; } /** * Gets the text to show to describe the effect result. * @param game the game * @return the text */ @Override public String getText(SwccgGame game) { return "Moving " + GameUtils.getCardLink(_cardMoving) + " from " + GameUtils.getCardLink(_movingFrom) + " into " + GameUtils.getCardLink(_movingTo) + " at start of an Attack Run"; } }
3e1e64dd5bdea880465e7f429d2377b1d328e792
1,470
java
Java
api/src/main/java/com/puc/sistemasdevendas/model/helpers/DecodeToken.java
leoee/sistema-de-vendas
0c003bbba67c139b4afdf07111085d11d36e7474
[ "MIT" ]
null
null
null
api/src/main/java/com/puc/sistemasdevendas/model/helpers/DecodeToken.java
leoee/sistema-de-vendas
0c003bbba67c139b4afdf07111085d11d36e7474
[ "MIT" ]
null
null
null
api/src/main/java/com/puc/sistemasdevendas/model/helpers/DecodeToken.java
leoee/sistema-de-vendas
0c003bbba67c139b4afdf07111085d11d36e7474
[ "MIT" ]
null
null
null
34.186047
84
0.681633
12,862
package com.puc.sistemasdevendas.model.helpers; import com.fasterxml.jackson.core.JsonProcessingException; import com.fasterxml.jackson.databind.ObjectMapper; import com.puc.sistemasdevendas.model.exceptions.InternalErrorException; import org.apache.tomcat.util.codec.binary.Base64; import org.jboss.logging.Logger; import org.springframework.context.annotation.Configuration; import java.util.Map; @Configuration public class DecodeToken { private ObjectMapper mapper = new ObjectMapper(); private final Logger logger = Logger.getLogger(DecodeToken.class); private String decode(String encodedToken) { try { String[] pieces = encodedToken.split("\\."); String b64payload = pieces[1]; return new String(Base64.decodeBase64(b64payload), "UTF-8"); } catch (Exception e) { this.logger.error("Failed to decode token: " + e.getMessage()); throw new InternalErrorException("Failed to decode token"); } } public String getGetFromToken(String token) { String json = this.decode(token); try { Map<String, String> mappedJson = this.mapper.readValue(json, Map.class); return mappedJson.get("sub"); } catch (JsonProcessingException e) { this.logger.error("Failed to get email from token: " + e.getMessage()); throw new InternalErrorException("Failed to convert json to object"); } } }
3e1e64f853fc193b7ffee00a1b8473a57f7253bd
5,244
java
Java
core/src/main/java/com/graphhopper/storage/change/ChangeGraphHelper.java
Schmaddin/graphhopper-repository
dd9a27ab1955e423eec85c6bd790d20a9b15f754
[ "Apache-2.0" ]
5
2019-03-20T11:23:51.000Z
2020-06-12T00:21:20.000Z
core/src/main/java/com/graphhopper/storage/change/ChangeGraphHelper.java
Schmaddin/graphhopper-repository
dd9a27ab1955e423eec85c6bd790d20a9b15f754
[ "Apache-2.0" ]
2
2020-11-16T16:49:17.000Z
2020-12-02T18:37:02.000Z
core/src/main/java/com/graphhopper/storage/change/ChangeGraphHelper.java
Schmaddin/graphhopper-repository
dd9a27ab1955e423eec85c6bd790d20a9b15f754
[ "Apache-2.0" ]
1
2019-06-19T15:45:06.000Z
2019-06-19T15:45:06.000Z
41.291339
153
0.657895
12,863
/* * Licensed to GraphHopper GmbH under one or more contributor * license agreements. See the NOTICE file distributed with this work for * additional information regarding copyright ownership. * * GraphHopper GmbH licenses this file to you under the Apache License, * Version 2.0 (the "License"); you may not use this file except in * compliance with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.graphhopper.storage.change; import com.carrotsearch.hppc.cursors.IntCursor; import com.graphhopper.coll.GHIntHashSet; import com.graphhopper.json.geo.JsonFeature; import com.graphhopper.routing.util.DefaultEdgeFilter; import com.graphhopper.routing.util.EdgeFilter; import com.graphhopper.routing.util.EncodingManager; import com.graphhopper.routing.util.FlagEncoder; import com.graphhopper.storage.Graph; import com.graphhopper.storage.GraphEdgeIdFinder; import com.graphhopper.storage.index.LocationIndex; import com.graphhopper.util.EdgeIteratorState; import java.util.Collection; import java.util.Iterator; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import java.util.List; import java.util.Map; /** * This graph applies permanent changes passed as JsonFeature to the specified graph. * <p> * This class is not thread-safe. It is currently only safe to use it via GraphHopper.changeGraph * * @author Peter Karich */ public class ChangeGraphHelper { private final Logger logger = LoggerFactory.getLogger(getClass()); private final Graph graph; private final GraphEdgeIdFinder graphBrowser; private boolean enableLogging = false; public ChangeGraphHelper(Graph graph, LocationIndex locationIndex) { this.graph = graph; this.graphBrowser = new GraphEdgeIdFinder(graph, locationIndex); } public void setLogging(boolean log) { enableLogging = log; } /** * This method applies changes to the graph, specified by the json features. * * @return number of successfully applied edge changes */ public long applyChanges(EncodingManager em, Collection<JsonFeature> features) { long updates = 0; for (JsonFeature jsonFeature : features) { if (!jsonFeature.hasProperties()) throw new IllegalArgumentException("One feature has no properties, please specify properties e.g. speed or access"); List<String> encodersAsStr = (List) jsonFeature.getProperty("vehicles"); if (encodersAsStr == null) { for (FlagEncoder encoder : em.fetchEdgeEncoders()) { updates += applyChange(jsonFeature, encoder); } } else { for (String encoderStr : encodersAsStr) { updates += applyChange(jsonFeature, em.getEncoder(encoderStr)); } } } return updates; } private long applyChange(JsonFeature jsonFeature, FlagEncoder encoder) { long updates = 0; EdgeFilter filter = new DefaultEdgeFilter(encoder); GHIntHashSet edges = new GHIntHashSet(); if (jsonFeature.hasGeometry()) { graphBrowser.fillEdgeIDs(edges, jsonFeature.getGeometry(), filter); } else if (jsonFeature.getBBox() != null) { graphBrowser.findEdgesInShape(edges, jsonFeature.getBBox(), filter); } else throw new IllegalArgumentException("Feature " + jsonFeature.getId() + " has no geometry and no bbox"); Iterator<IntCursor> iter = edges.iterator(); Map<String, Object> props = jsonFeature.getProperties(); while (iter.hasNext()) { int edgeId = iter.next().value; EdgeIteratorState edge = graph.getEdgeIteratorState(edgeId, Integer.MIN_VALUE); if (props.containsKey("access")) { boolean value = (boolean) props.get("access"); updates++; if (enableLogging) logger.info(encoder.toString() + " - access change via feature " + jsonFeature.getId()); edge.setFlags(encoder.setAccess(edge.getFlags(), value, value)); } else if (props.containsKey("speed")) { // TODO use different speed for the different directions (see e.g. Bike2WeightFlagEncoder) double value = ((Number) props.get("speed")).doubleValue(); double oldSpeed = encoder.getSpeed(edge.getFlags()); if (oldSpeed != value) { updates++; if (enableLogging) logger.info(encoder.toString() + " - speed change via feature " + jsonFeature.getId() + ". Old: " + oldSpeed + ", new:" + value); edge.setFlags(encoder.setSpeed(edge.getFlags(), value)); } } } return updates; } }
3e1e651266d0bfc13c12df541d5d7d29cd957686
751,009
java
Java
android/app/build/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/com/socero/loopmerchant/R.java
mahruskazi/ReactNativeTemplate
b4fc1173b090f68048bfbc038c055fd3e48c52a7
[ "Apache-2.0" ]
null
null
null
android/app/build/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/com/socero/loopmerchant/R.java
mahruskazi/ReactNativeTemplate
b4fc1173b090f68048bfbc038c055fd3e48c52a7
[ "Apache-2.0" ]
null
null
null
android/app/build/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/com/socero/loopmerchant/R.java
mahruskazi/ReactNativeTemplate
b4fc1173b090f68048bfbc038c055fd3e48c52a7
[ "Apache-2.0" ]
null
null
null
50.174305
178
0.656657
12,864
/* AUTO-GENERATED FILE. DO NOT MODIFY. * * This class was automatically generated by the * aapt tool from the resource data it found. It * should not be modified by hand. */ package com.socero.loopmerchant; public final class R { public static final class anim { public static final int abc_fade_in=0x7f010000; public static final int abc_fade_out=0x7f010001; public static final int abc_grow_fade_in_from_bottom=0x7f010002; public static final int abc_popup_enter=0x7f010003; public static final int abc_popup_exit=0x7f010004; public static final int abc_shrink_fade_out_from_bottom=0x7f010005; public static final int abc_slide_in_bottom=0x7f010006; public static final int abc_slide_in_top=0x7f010007; public static final int abc_slide_out_bottom=0x7f010008; public static final int abc_slide_out_top=0x7f010009; public static final int abc_tooltip_enter=0x7f01000a; public static final int abc_tooltip_exit=0x7f01000b; public static final int catalyst_fade_in=0x7f01000c; public static final int catalyst_fade_out=0x7f01000d; public static final int catalyst_push_up_in=0x7f01000e; public static final int catalyst_push_up_out=0x7f01000f; public static final int catalyst_slide_down=0x7f010010; public static final int catalyst_slide_up=0x7f010011; public static final int design_bottom_sheet_slide_in=0x7f010012; public static final int design_bottom_sheet_slide_out=0x7f010013; public static final int design_snackbar_in=0x7f010014; public static final int design_snackbar_out=0x7f010015; public static final int fab_scale_down=0x7f010016; public static final int fab_scale_up=0x7f010017; public static final int fab_slide_in_from_left=0x7f010018; public static final int fab_slide_in_from_right=0x7f010019; public static final int fab_slide_out_to_left=0x7f01001a; public static final int fab_slide_out_to_right=0x7f01001b; public static final int slide_down=0x7f01001c; public static final int slide_up=0x7f01001d; } public static final class animator { public static final int design_appbar_state_list_animator=0x7f020000; } public static final class array { public static final int debug_colors=0x7f030000; } public static final class attr { /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int accentColor=0x7f040000; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarDivider=0x7f040001; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarItemBackground=0x7f040002; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarPopupTheme=0x7f040003; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>wrap_content</td><td>0</td><td></td></tr> * </table> */ public static final int actionBarSize=0x7f040004; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarSplitStyle=0x7f040005; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarStyle=0x7f040006; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTabBarStyle=0x7f040007; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTabStyle=0x7f040008; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTabTextStyle=0x7f040009; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTheme=0x7f04000a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarWidgetTheme=0x7f04000b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionButtonStyle=0x7f04000c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionDropDownStyle=0x7f04000d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionLayout=0x7f04000e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionMenuTextAppearance=0x7f04000f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int actionMenuTextColor=0x7f040010; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeBackground=0x7f040011; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCloseButtonStyle=0x7f040012; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCloseDrawable=0x7f040013; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCopyDrawable=0x7f040014; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCutDrawable=0x7f040015; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeFindDrawable=0x7f040016; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModePasteDrawable=0x7f040017; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModePopupWindowStyle=0x7f040018; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeSelectAllDrawable=0x7f040019; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeShareDrawable=0x7f04001a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeSplitBackground=0x7f04001b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeStyle=0x7f04001c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeWebSearchDrawable=0x7f04001d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionOverflowButtonStyle=0x7f04001e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionOverflowMenuStyle=0x7f04001f; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actionProviderClass=0x7f040020; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actionViewClass=0x7f040021; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int activityChooserViewStyle=0x7f040022; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actualImageResource=0x7f040023; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int actualImageScaleType=0x7f040024; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actualImageUri=0x7f040025; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int adSize=0x7f040026; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int adSizes=0x7f040027; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int adUnitId=0x7f040028; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int alertDialogButtonGroupStyle=0x7f040029; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int alertDialogCenterButtons=0x7f04002a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int alertDialogStyle=0x7f04002b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int alertDialogTheme=0x7f04002c; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int allowStacking=0x7f04002d; /** * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int alpha=0x7f04002e; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> */ public static final int alphabeticModifiers=0x7f04002f; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int arrowHeadLength=0x7f040030; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int arrowShaftLength=0x7f040031; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int autoCompleteTextViewStyle=0x7f040032; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int autoSizeMaxTextSize=0x7f040033; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int autoSizeMinTextSize=0x7f040034; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int autoSizePresetSizes=0x7f040035; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int autoSizeStepGranularity=0x7f040036; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>uniform</td><td>1</td><td></td></tr> * </table> */ public static final int autoSizeTextType=0x7f040037; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int background=0x7f040038; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int backgroundImage=0x7f040039; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int backgroundSplit=0x7f04003a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int backgroundStacked=0x7f04003b; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int backgroundTint=0x7f04003c; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int backgroundTintMode=0x7f04003d; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int barLength=0x7f04003e; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_autoHide=0x7f04003f; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_hideable=0x7f040040; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int behavior_overlapTop=0x7f040041; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int behavior_peekHeight=0x7f040042; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_skipCollapsed=0x7f040043; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int borderWidth=0x7f040044; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int borderlessButtonStyle=0x7f040045; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int bottomSheetDialogTheme=0x7f040046; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int bottomSheetStyle=0x7f040047; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarButtonStyle=0x7f040048; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarNegativeButtonStyle=0x7f040049; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarNeutralButtonStyle=0x7f04004a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarPositiveButtonStyle=0x7f04004b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarStyle=0x7f04004c; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> */ public static final int buttonGravity=0x7f04004d; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int buttonIconDimen=0x7f04004e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonPanelSideLayout=0x7f04004f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>icon_only</td><td>2</td><td></td></tr> * <tr><td>standard</td><td>0</td><td></td></tr> * <tr><td>wide</td><td>1</td><td></td></tr> * </table> */ public static final int buttonSize=0x7f040050; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonStyle=0x7f040051; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonStyleSmall=0x7f040052; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int buttonTint=0x7f040053; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int buttonTintMode=0x7f040054; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int checkboxStyle=0x7f040055; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int checkedTextViewStyle=0x7f040056; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int circleCrop=0x7f040057; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int closeIcon=0x7f040058; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int closeItemLayout=0x7f040059; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int collapseContentDescription=0x7f04005a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int collapseIcon=0x7f04005b; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> */ public static final int collapsedTitleGravity=0x7f04005c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int collapsedTitleTextAppearance=0x7f04005d; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int color=0x7f04005e; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorAccent=0x7f04005f; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorBackgroundFloating=0x7f040060; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorButtonNormal=0x7f040061; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorControlActivated=0x7f040062; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorControlHighlight=0x7f040063; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorControlNormal=0x7f040064; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorError=0x7f040065; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorPrimary=0x7f040066; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorPrimaryDark=0x7f040067; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>2</td><td></td></tr> * <tr><td>dark</td><td>0</td><td></td></tr> * <tr><td>light</td><td>1</td><td></td></tr> * </table> */ public static final int colorScheme=0x7f040068; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorSwitchThumbNormal=0x7f040069; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int colored=0x7f04006a; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int coloredActive=0x7f04006b; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int coloredInactive=0x7f04006c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int commitIcon=0x7f04006d; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int contentDescription=0x7f04006e; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetEnd=0x7f04006f; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetEndWithActions=0x7f040070; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetLeft=0x7f040071; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetRight=0x7f040072; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetStart=0x7f040073; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetStartWithNavigation=0x7f040074; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int contentScrim=0x7f040075; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int controlBackground=0x7f040076; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int coordinatorLayoutStyle=0x7f040077; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int counterEnabled=0x7f040078; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int counterMaxLength=0x7f040079; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int counterOverflowTextAppearance=0x7f04007a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int counterTextAppearance=0x7f04007b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int customNavigationLayout=0x7f04007c; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int defaultQueryHint=0x7f04007d; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dialogPreferredPadding=0x7f04007e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dialogTheme=0x7f04007f; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int disableColor=0x7f040080; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>disableHome</td><td>20</td><td></td></tr> * <tr><td>homeAsUp</td><td>4</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>showCustom</td><td>10</td><td></td></tr> * <tr><td>showHome</td><td>2</td><td></td></tr> * <tr><td>showTitle</td><td>8</td><td></td></tr> * <tr><td>useLogo</td><td>1</td><td></td></tr> * </table> */ public static final int displayOptions=0x7f040081; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int divider=0x7f040082; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dividerHorizontal=0x7f040083; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dividerPadding=0x7f040084; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dividerVertical=0x7f040085; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int drawableSize=0x7f040086; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int drawerArrowStyle=0x7f040087; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dropDownListViewStyle=0x7f040088; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dropdownListPreferredItemHeight=0x7f040089; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int editTextBackground=0x7f04008a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int editTextColor=0x7f04008b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int editTextStyle=0x7f04008c; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int elevation=0x7f04008d; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int errorEnabled=0x7f04008e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int errorTextAppearance=0x7f04008f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int expandActivityOverflowButtonDrawable=0x7f040090; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int expanded=0x7f040091; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> */ public static final int expandedTitleGravity=0x7f040092; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int expandedTitleMargin=0x7f040093; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int expandedTitleMarginBottom=0x7f040094; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int expandedTitleMarginEnd=0x7f040095; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int expandedTitleMarginStart=0x7f040096; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int expandedTitleMarginTop=0x7f040097; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int expandedTitleTextAppearance=0x7f040098; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int fabCustomSize=0x7f040099; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>ffffffff</td><td></td></tr> * <tr><td>mini</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> */ public static final int fabSize=0x7f04009a; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_colorDisabled=0x7f04009b; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_colorNormal=0x7f04009c; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_colorPressed=0x7f04009d; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_colorRipple=0x7f04009e; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int fab_elevationCompat=0x7f04009f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fab_hideAnimation=0x7f0400a0; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fab_label=0x7f0400a1; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int fab_progress=0x7f0400a2; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_progress_backgroundColor=0x7f0400a3; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_progress_color=0x7f0400a4; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int fab_progress_indeterminate=0x7f0400a5; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int fab_progress_max=0x7f0400a6; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int fab_progress_showBackground=0x7f0400a7; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int fab_shadowColor=0x7f0400a8; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int fab_shadowRadius=0x7f0400a9; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int fab_shadowXOffset=0x7f0400aa; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int fab_shadowYOffset=0x7f0400ab; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fab_showAnimation=0x7f0400ac; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int fab_showShadow=0x7f0400ad; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>mini</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> */ public static final int fab_size=0x7f0400ae; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int fadeDuration=0x7f0400af; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int failureImage=0x7f0400b0; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int failureImageScaleType=0x7f0400b1; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int fastScrollEnabled=0x7f0400b2; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fastScrollHorizontalThumbDrawable=0x7f0400b3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fastScrollHorizontalTrackDrawable=0x7f0400b4; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fastScrollVerticalThumbDrawable=0x7f0400b5; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fastScrollVerticalTrackDrawable=0x7f0400b6; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int font=0x7f0400b7; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontFamily=0x7f0400b8; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderAuthority=0x7f0400b9; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fontProviderCerts=0x7f0400ba; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>async</td><td>1</td><td></td></tr> * <tr><td>blocking</td><td>0</td><td></td></tr> * </table> */ public static final int fontProviderFetchStrategy=0x7f0400bb; /** * <p>May be an integer value, such as "<code>100</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>forever</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int fontProviderFetchTimeout=0x7f0400bc; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderPackage=0x7f0400bd; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderQuery=0x7f0400be; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>italic</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> */ public static final int fontStyle=0x7f0400bf; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int fontWeight=0x7f0400c0; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int foregroundInsidePadding=0x7f0400c1; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int gapBetweenBars=0x7f0400c2; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int goIcon=0x7f0400c3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int headerLayout=0x7f0400c4; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int height=0x7f0400c5; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hideOnContentScroll=0x7f0400c6; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hintAnimationEnabled=0x7f0400c7; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hintEnabled=0x7f0400c8; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int hintTextAppearance=0x7f0400c9; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int homeAsUpIndicator=0x7f0400ca; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int homeLayout=0x7f0400cb; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int icon=0x7f0400cc; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int iconTint=0x7f0400cd; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int iconTintMode=0x7f0400ce; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int iconifiedByDefault=0x7f0400cf; /** * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int imageAspectRatio=0x7f0400d0; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>adjust_height</td><td>2</td><td></td></tr> * <tr><td>adjust_width</td><td>1</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * </table> */ public static final int imageAspectRatioAdjust=0x7f0400d1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int imageButtonStyle=0x7f0400d2; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int inactiveColor=0x7f0400d3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int indeterminateProgressStyle=0x7f0400d4; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int initialActivityCount=0x7f0400d5; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int insetForeground=0x7f0400d6; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int isLightTheme=0x7f0400d7; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int itemBackground=0x7f0400d8; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int itemIconTint=0x7f0400d9; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int itemPadding=0x7f0400da; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int itemTextAppearance=0x7f0400db; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int itemTextColor=0x7f0400dc; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int keylines=0x7f0400dd; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int layout=0x7f0400de; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int layoutManager=0x7f0400df; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int layout_anchor=0x7f0400e0; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> */ public static final int layout_anchorGravity=0x7f0400e1; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int layout_behavior=0x7f0400e2; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>parallax</td><td>2</td><td></td></tr> * <tr><td>pin</td><td>1</td><td></td></tr> * </table> */ public static final int layout_collapseMode=0x7f0400e3; /** * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int layout_collapseParallaxMultiplier=0x7f0400e4; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>all</td><td>77</td><td></td></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> */ public static final int layout_dodgeInsetEdges=0x7f0400e5; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> */ public static final int layout_insetEdge=0x7f0400e6; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int layout_keyline=0x7f0400e7; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>enterAlways</td><td>4</td><td></td></tr> * <tr><td>enterAlwaysCollapsed</td><td>8</td><td></td></tr> * <tr><td>exitUntilCollapsed</td><td>2</td><td></td></tr> * <tr><td>scroll</td><td>1</td><td></td></tr> * <tr><td>snap</td><td>10</td><td></td></tr> * </table> */ public static final int layout_scrollFlags=0x7f0400e8; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int layout_scrollInterpolator=0x7f0400e9; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listChoiceBackgroundIndicator=0x7f0400ea; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listDividerAlertDialog=0x7f0400eb; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listItemLayout=0x7f0400ec; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listLayout=0x7f0400ed; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listMenuViewStyle=0x7f0400ee; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listPopupWindowStyle=0x7f0400ef; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemHeight=0x7f0400f0; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemHeightLarge=0x7f0400f1; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemHeightSmall=0x7f0400f2; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemPaddingLeft=0x7f0400f3; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemPaddingRight=0x7f0400f4; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int logo=0x7f0400f5; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int logoDescription=0x7f0400f6; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int maxActionInlineWidth=0x7f0400f7; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int maxButtonHeight=0x7f0400f8; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int measureWithLargestChild=0x7f0400f9; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu=0x7f0400fa; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int menu_animationDelayPerItem=0x7f0400fb; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_backgroundColor=0x7f0400fc; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_buttonSpacing=0x7f0400fd; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_buttonToggleAnimation=0x7f0400fe; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_colorNormal=0x7f0400ff; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_colorPressed=0x7f040100; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_colorRipple=0x7f040101; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_fab_hide_animation=0x7f040102; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int menu_fab_label=0x7f040103; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_fab_show_animation=0x7f040104; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>mini</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> */ public static final int menu_fab_size=0x7f040105; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_icon=0x7f040106; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_labels_colorNormal=0x7f040107; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_labels_colorPressed=0x7f040108; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_labels_colorRipple=0x7f040109; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_cornerRadius=0x7f04010a; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int menu_labels_customFont=0x7f04010b; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>end</td><td>3</td><td></td></tr> * <tr><td>marquee</td><td>4</td><td></td></tr> * <tr><td>middle</td><td>2</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>start</td><td>1</td><td></td></tr> * </table> */ public static final int menu_labels_ellipsize=0x7f04010c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_labels_hideAnimation=0x7f04010d; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_margin=0x7f04010e; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int menu_labels_maxLines=0x7f04010f; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_padding=0x7f040110; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_paddingBottom=0x7f040111; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_paddingLeft=0x7f040112; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_paddingRight=0x7f040113; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_paddingTop=0x7f040114; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>left</td><td>0</td><td></td></tr> * <tr><td>right</td><td>1</td><td></td></tr> * </table> */ public static final int menu_labels_position=0x7f040115; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_labels_showAnimation=0x7f040116; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int menu_labels_showShadow=0x7f040117; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int menu_labels_singleLine=0x7f040118; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int menu_labels_style=0x7f040119; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_labels_textColor=0x7f04011a; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_labels_textSize=0x7f04011b; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>down</td><td>1</td><td></td></tr> * <tr><td>up</td><td>0</td><td></td></tr> * </table> */ public static final int menu_openDirection=0x7f04011c; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int menu_shadowColor=0x7f04011d; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_shadowRadius=0x7f04011e; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_shadowXOffset=0x7f04011f; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int menu_shadowYOffset=0x7f040120; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int menu_showShadow=0x7f040121; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int multiChoiceItemLayout=0x7f040122; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int navigationContentDescription=0x7f040123; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int navigationIcon=0x7f040124; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>listMode</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * <tr><td>tabMode</td><td>2</td><td></td></tr> * </table> */ public static final int navigationMode=0x7f040125; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> */ public static final int numericModifiers=0x7f040126; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int overlapAnchor=0x7f040127; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int overlayImage=0x7f040128; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingBottomNoButtons=0x7f040129; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingEnd=0x7f04012a; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingStart=0x7f04012b; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingTopNoTitle=0x7f04012c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int panelBackground=0x7f04012d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int panelMenuListTheme=0x7f04012e; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int panelMenuListWidth=0x7f04012f; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int passwordToggleContentDescription=0x7f040130; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int passwordToggleDrawable=0x7f040131; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int passwordToggleEnabled=0x7f040132; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int passwordToggleTint=0x7f040133; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int passwordToggleTintMode=0x7f040134; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int placeholderImage=0x7f040135; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int placeholderImageScaleType=0x7f040136; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int popupMenuStyle=0x7f040137; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int popupTheme=0x7f040138; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int popupWindowStyle=0x7f040139; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int preserveIconSpacing=0x7f04013a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int pressedStateOverlayImage=0x7f04013b; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int pressedTranslationZ=0x7f04013c; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int progressBarAutoRotateInterval=0x7f04013d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int progressBarImage=0x7f04013e; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int progressBarImageScaleType=0x7f04013f; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int progressBarPadding=0x7f040140; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int progressBarStyle=0x7f040141; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int queryBackground=0x7f040142; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int queryHint=0x7f040143; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int radioButtonStyle=0x7f040144; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int ratingBarStyle=0x7f040145; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int ratingBarStyleIndicator=0x7f040146; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int ratingBarStyleSmall=0x7f040147; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int retryImage=0x7f040148; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int retryImageScaleType=0x7f040149; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int reverseLayout=0x7f04014a; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int rippleColor=0x7f04014b; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundAsCircle=0x7f04014c; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomEnd=0x7f04014d; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomLeft=0x7f04014e; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomRight=0x7f04014f; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomStart=0x7f040150; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopEnd=0x7f040151; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopLeft=0x7f040152; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopRight=0x7f040153; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopStart=0x7f040154; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int roundWithOverlayColor=0x7f040155; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int roundedCornerRadius=0x7f040156; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int roundingBorderColor=0x7f040157; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int roundingBorderPadding=0x7f040158; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int roundingBorderWidth=0x7f040159; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int scopeUris=0x7f04015a; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int scrimAnimationDuration=0x7f04015b; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int scrimVisibleHeightTrigger=0x7f04015c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int searchHintIcon=0x7f04015d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int searchIcon=0x7f04015e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int searchViewStyle=0x7f04015f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int seekBarStyle=0x7f040160; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int selectableItemBackground=0x7f040161; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int selectableItemBackgroundBorderless=0x7f040162; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int selectedBackgroundVisible=0x7f040163; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>always</td><td>2</td><td></td></tr> * <tr><td>collapseActionView</td><td>8</td><td></td></tr> * <tr><td>ifRoom</td><td>1</td><td></td></tr> * <tr><td>never</td><td>0</td><td></td></tr> * <tr><td>withText</td><td>4</td><td></td></tr> * </table> */ public static final int showAsAction=0x7f040164; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>beginning</td><td>1</td><td></td></tr> * <tr><td>end</td><td>4</td><td></td></tr> * <tr><td>middle</td><td>2</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * </table> */ public static final int showDividers=0x7f040165; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int showText=0x7f040166; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int showTitle=0x7f040167; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int singleChoiceItemLayout=0x7f040168; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int spanCount=0x7f040169; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int spinBars=0x7f04016a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int spinnerDropDownItemStyle=0x7f04016b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int spinnerStyle=0x7f04016c; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int splitTrack=0x7f04016d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int srcCompat=0x7f04016e; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int stackFromEnd=0x7f04016f; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_above_anchor=0x7f040170; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_collapsed=0x7f040171; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_collapsible=0x7f040172; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int statusBarBackground=0x7f040173; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int statusBarScrim=0x7f040174; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int subMenuArrow=0x7f040175; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int submitBackground=0x7f040176; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int subtitle=0x7f040177; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int subtitleTextAppearance=0x7f040178; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int subtitleTextColor=0x7f040179; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int subtitleTextStyle=0x7f04017a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int suggestionRowLayout=0x7f04017b; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int switchMinWidth=0x7f04017c; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int switchPadding=0x7f04017d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int switchStyle=0x7f04017e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int switchTextAppearance=0x7f04017f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tabBackground=0x7f040180; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabContentStart=0x7f040181; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>1</td><td></td></tr> * <tr><td>fill</td><td>0</td><td></td></tr> * </table> */ public static final int tabGravity=0x7f040182; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tabIndicatorColor=0x7f040183; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabIndicatorHeight=0x7f040184; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tabLayoutId=0x7f040185; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabMaxWidth=0x7f040186; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabMinWidth=0x7f040187; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fixed</td><td>1</td><td></td></tr> * <tr><td>scrollable</td><td>0</td><td></td></tr> * </table> */ public static final int tabMode=0x7f040188; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabPadding=0x7f040189; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabPaddingBottom=0x7f04018a; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabPaddingEnd=0x7f04018b; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabPaddingStart=0x7f04018c; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int tabPaddingTop=0x7f04018d; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tabSelectedTextColor=0x7f04018e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tabTextAppearance=0x7f04018f; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tabTextColor=0x7f040190; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int textAllCaps=0x7f040191; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceLargePopupMenu=0x7f040192; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceListItem=0x7f040193; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceListItemSecondary=0x7f040194; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceListItemSmall=0x7f040195; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearancePopupMenuHeader=0x7f040196; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceSearchResultSubtitle=0x7f040197; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceSearchResultTitle=0x7f040198; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceSmallPopupMenu=0x7f040199; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int textColorAlertDialogListItem=0x7f04019a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int textColorError=0x7f04019b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int textColorSearchUrl=0x7f04019c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int theme=0x7f04019d; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int thickness=0x7f04019e; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int thumbTextPadding=0x7f04019f; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int thumbTint=0x7f0401a0; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int thumbTintMode=0x7f0401a1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tickMark=0x7f0401a2; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tickMarkTint=0x7f0401a3; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int tickMarkTintMode=0x7f0401a4; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tint=0x7f0401a5; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int tintMode=0x7f0401a6; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int title=0x7f0401a7; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int titleEnabled=0x7f0401a8; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMargin=0x7f0401a9; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginBottom=0x7f0401aa; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginEnd=0x7f0401ab; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginStart=0x7f0401ac; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginTop=0x7f0401ad; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMargins=0x7f0401ae; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int titleTextAppearance=0x7f0401af; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int titleTextColor=0x7f0401b0; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int titleTextStyle=0x7f0401b1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int toolbarId=0x7f0401b2; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int toolbarNavigationButtonStyle=0x7f0401b3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int toolbarStyle=0x7f0401b4; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tooltipForegroundColor=0x7f0401b5; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tooltipFrameBackground=0x7f0401b6; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int tooltipText=0x7f0401b7; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int track=0x7f0401b8; /** * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int trackTint=0x7f0401b9; /** * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> */ public static final int trackTintMode=0x7f0401ba; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int translucentNavigationEnabled=0x7f0401bb; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int useCompatPadding=0x7f0401bc; /** * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int viewAspectRatio=0x7f0401bd; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int viewInflaterClass=0x7f0401be; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int voiceIcon=0x7f0401bf; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionBar=0x7f0401c0; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionBarOverlay=0x7f0401c1; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionModeOverlay=0x7f0401c2; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedHeightMajor=0x7f0401c3; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedHeightMinor=0x7f0401c4; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedWidthMajor=0x7f0401c5; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedWidthMinor=0x7f0401c6; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowMinWidthMajor=0x7f0401c7; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowMinWidthMinor=0x7f0401c8; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowNoTitle=0x7f0401c9; } public static final class bool { public static final int abc_action_bar_embed_tabs=0x7f050000; public static final int abc_allow_stacked_button_bar=0x7f050001; public static final int abc_config_actionMenuItemAllCaps=0x7f050002; public static final int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f050003; } public static final class color { public static final int abc_background_cache_hint_selector_material_dark=0x7f060000; public static final int abc_background_cache_hint_selector_material_light=0x7f060001; public static final int abc_btn_colored_borderless_text_material=0x7f060002; public static final int abc_btn_colored_text_material=0x7f060003; public static final int abc_color_highlight_material=0x7f060004; public static final int abc_hint_foreground_material_dark=0x7f060005; public static final int abc_hint_foreground_material_light=0x7f060006; public static final int abc_input_method_navigation_guard=0x7f060007; public static final int abc_primary_text_disable_only_material_dark=0x7f060008; public static final int abc_primary_text_disable_only_material_light=0x7f060009; public static final int abc_primary_text_material_dark=0x7f06000a; public static final int abc_primary_text_material_light=0x7f06000b; public static final int abc_search_url_text=0x7f06000c; public static final int abc_search_url_text_normal=0x7f06000d; public static final int abc_search_url_text_pressed=0x7f06000e; public static final int abc_search_url_text_selected=0x7f06000f; public static final int abc_secondary_text_material_dark=0x7f060010; public static final int abc_secondary_text_material_light=0x7f060011; public static final int abc_tint_btn_checkable=0x7f060012; public static final int abc_tint_default=0x7f060013; public static final int abc_tint_edittext=0x7f060014; public static final int abc_tint_seek_thumb=0x7f060015; public static final int abc_tint_spinner=0x7f060016; public static final int abc_tint_switch_track=0x7f060017; public static final int accent_material_dark=0x7f060018; public static final int accent_material_light=0x7f060019; public static final int background_floating_material_dark=0x7f06001a; public static final int background_floating_material_light=0x7f06001b; public static final int background_material_dark=0x7f06001c; public static final int background_material_light=0x7f06001d; public static final int bright_foreground_disabled_material_dark=0x7f06001e; public static final int bright_foreground_disabled_material_light=0x7f06001f; public static final int bright_foreground_inverse_material_dark=0x7f060020; public static final int bright_foreground_inverse_material_light=0x7f060021; public static final int bright_foreground_material_dark=0x7f060022; public static final int bright_foreground_material_light=0x7f060023; public static final int button_material_dark=0x7f060024; public static final int button_material_light=0x7f060025; public static final int catalyst_redbox_background=0x7f060026; public static final int colorBottomNavigationAccent=0x7f060027; public static final int colorBottomNavigationActiveColored=0x7f060028; public static final int colorBottomNavigationDisable=0x7f060029; public static final int colorBottomNavigationInactive=0x7f06002a; public static final int colorBottomNavigationInactiveColored=0x7f06002b; public static final int colorBottomNavigationNotification=0x7f06002c; public static final int colorBottomNavigationPrimary=0x7f06002d; public static final int colorBottomNavigationPrimaryDark=0x7f06002e; public static final int colorBottomNavigationSelectedBackground=0x7f06002f; public static final int colorBottomNavigationTextAccent=0x7f060030; public static final int colorBottomNavigationTextInactive=0x7f060031; public static final int common_google_signin_btn_text_dark=0x7f060032; public static final int common_google_signin_btn_text_dark_default=0x7f060033; public static final int common_google_signin_btn_text_dark_disabled=0x7f060034; public static final int common_google_signin_btn_text_dark_focused=0x7f060035; public static final int common_google_signin_btn_text_dark_pressed=0x7f060036; public static final int common_google_signin_btn_text_light=0x7f060037; public static final int common_google_signin_btn_text_light_default=0x7f060038; public static final int common_google_signin_btn_text_light_disabled=0x7f060039; public static final int common_google_signin_btn_text_light_focused=0x7f06003a; public static final int common_google_signin_btn_text_light_pressed=0x7f06003b; public static final int common_google_signin_btn_tint=0x7f06003c; public static final int design_bottom_navigation_shadow_color=0x7f06003d; public static final int design_error=0x7f06003e; public static final int design_fab_shadow_end_color=0x7f06003f; public static final int design_fab_shadow_mid_color=0x7f060040; public static final int design_fab_shadow_start_color=0x7f060041; public static final int design_fab_stroke_end_inner_color=0x7f060042; public static final int design_fab_stroke_end_outer_color=0x7f060043; public static final int design_fab_stroke_top_inner_color=0x7f060044; public static final int design_fab_stroke_top_outer_color=0x7f060045; public static final int design_snackbar_background_color=0x7f060046; public static final int design_tint_password_toggle=0x7f060047; public static final int dim_foreground_disabled_material_dark=0x7f060048; public static final int dim_foreground_disabled_material_light=0x7f060049; public static final int dim_foreground_material_dark=0x7f06004a; public static final int dim_foreground_material_light=0x7f06004b; public static final int error_color_material=0x7f06004c; public static final int foreground_material_dark=0x7f06004d; public static final int foreground_material_light=0x7f06004e; public static final int highlighted_text_material_dark=0x7f06004f; public static final int highlighted_text_material_light=0x7f060050; public static final int material_blue_grey_800=0x7f060051; public static final int material_blue_grey_900=0x7f060052; public static final int material_blue_grey_950=0x7f060053; public static final int material_deep_teal_200=0x7f060054; public static final int material_deep_teal_500=0x7f060055; public static final int material_grey_100=0x7f060056; public static final int material_grey_300=0x7f060057; public static final int material_grey_50=0x7f060058; public static final int material_grey_600=0x7f060059; public static final int material_grey_800=0x7f06005a; public static final int material_grey_850=0x7f06005b; public static final int material_grey_900=0x7f06005c; public static final int notification_action_color_filter=0x7f06005d; public static final int notification_icon_bg_color=0x7f06005e; public static final int notification_material_background_media_default_color=0x7f06005f; public static final int primary_dark_material_dark=0x7f060060; public static final int primary_dark_material_light=0x7f060061; public static final int primary_material_dark=0x7f060062; public static final int primary_material_light=0x7f060063; public static final int primary_text_default_material_dark=0x7f060064; public static final int primary_text_default_material_light=0x7f060065; public static final int primary_text_disabled_material_dark=0x7f060066; public static final int primary_text_disabled_material_light=0x7f060067; public static final int ripple_material_dark=0x7f060068; public static final int ripple_material_light=0x7f060069; public static final int secondary_text_default_material_dark=0x7f06006a; public static final int secondary_text_default_material_light=0x7f06006b; public static final int secondary_text_disabled_material_dark=0x7f06006c; public static final int secondary_text_disabled_material_light=0x7f06006d; public static final int switch_thumb_disabled_material_dark=0x7f06006e; public static final int switch_thumb_disabled_material_light=0x7f06006f; public static final int switch_thumb_material_dark=0x7f060070; public static final int switch_thumb_material_light=0x7f060071; public static final int switch_thumb_normal_material_dark=0x7f060072; public static final int switch_thumb_normal_material_light=0x7f060073; public static final int tooltip_background_dark=0x7f060074; public static final int tooltip_background_light=0x7f060075; } public static final class dimen { public static final int abc_action_bar_content_inset_material=0x7f070000; public static final int abc_action_bar_content_inset_with_nav=0x7f070001; public static final int abc_action_bar_default_height_material=0x7f070002; public static final int abc_action_bar_default_padding_end_material=0x7f070003; public static final int abc_action_bar_default_padding_start_material=0x7f070004; public static final int abc_action_bar_elevation_material=0x7f070005; public static final int abc_action_bar_icon_vertical_padding_material=0x7f070006; public static final int abc_action_bar_overflow_padding_end_material=0x7f070007; public static final int abc_action_bar_overflow_padding_start_material=0x7f070008; public static final int abc_action_bar_progress_bar_size=0x7f070009; public static final int abc_action_bar_stacked_max_height=0x7f07000a; public static final int abc_action_bar_stacked_tab_max_width=0x7f07000b; public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f07000c; public static final int abc_action_bar_subtitle_top_margin_material=0x7f07000d; public static final int abc_action_button_min_height_material=0x7f07000e; public static final int abc_action_button_min_width_material=0x7f07000f; public static final int abc_action_button_min_width_overflow_material=0x7f070010; public static final int abc_alert_dialog_button_bar_height=0x7f070011; public static final int abc_alert_dialog_button_dimen=0x7f070012; public static final int abc_button_inset_horizontal_material=0x7f070013; public static final int abc_button_inset_vertical_material=0x7f070014; public static final int abc_button_padding_horizontal_material=0x7f070015; public static final int abc_button_padding_vertical_material=0x7f070016; public static final int abc_cascading_menus_min_smallest_width=0x7f070017; public static final int abc_config_prefDialogWidth=0x7f070018; public static final int abc_control_corner_material=0x7f070019; public static final int abc_control_inset_material=0x7f07001a; public static final int abc_control_padding_material=0x7f07001b; public static final int abc_dialog_fixed_height_major=0x7f07001c; public static final int abc_dialog_fixed_height_minor=0x7f07001d; public static final int abc_dialog_fixed_width_major=0x7f07001e; public static final int abc_dialog_fixed_width_minor=0x7f07001f; public static final int abc_dialog_list_padding_bottom_no_buttons=0x7f070020; public static final int abc_dialog_list_padding_top_no_title=0x7f070021; public static final int abc_dialog_min_width_major=0x7f070022; public static final int abc_dialog_min_width_minor=0x7f070023; public static final int abc_dialog_padding_material=0x7f070024; public static final int abc_dialog_padding_top_material=0x7f070025; public static final int abc_dialog_title_divider_material=0x7f070026; public static final int abc_disabled_alpha_material_dark=0x7f070027; public static final int abc_disabled_alpha_material_light=0x7f070028; public static final int abc_dropdownitem_icon_width=0x7f070029; public static final int abc_dropdownitem_text_padding_left=0x7f07002a; public static final int abc_dropdownitem_text_padding_right=0x7f07002b; public static final int abc_edit_text_inset_bottom_material=0x7f07002c; public static final int abc_edit_text_inset_horizontal_material=0x7f07002d; public static final int abc_edit_text_inset_top_material=0x7f07002e; public static final int abc_floating_window_z=0x7f07002f; public static final int abc_list_item_padding_horizontal_material=0x7f070030; public static final int abc_panel_menu_list_width=0x7f070031; public static final int abc_progress_bar_height_material=0x7f070032; public static final int abc_search_view_preferred_height=0x7f070033; public static final int abc_search_view_preferred_width=0x7f070034; public static final int abc_seekbar_track_background_height_material=0x7f070035; public static final int abc_seekbar_track_progress_height_material=0x7f070036; public static final int abc_select_dialog_padding_start_material=0x7f070037; public static final int abc_switch_padding=0x7f070038; public static final int abc_text_size_body_1_material=0x7f070039; public static final int abc_text_size_body_2_material=0x7f07003a; public static final int abc_text_size_button_material=0x7f07003b; public static final int abc_text_size_caption_material=0x7f07003c; public static final int abc_text_size_display_1_material=0x7f07003d; public static final int abc_text_size_display_2_material=0x7f07003e; public static final int abc_text_size_display_3_material=0x7f07003f; public static final int abc_text_size_display_4_material=0x7f070040; public static final int abc_text_size_headline_material=0x7f070041; public static final int abc_text_size_large_material=0x7f070042; public static final int abc_text_size_medium_material=0x7f070043; public static final int abc_text_size_menu_header_material=0x7f070044; public static final int abc_text_size_menu_material=0x7f070045; public static final int abc_text_size_small_material=0x7f070046; public static final int abc_text_size_subhead_material=0x7f070047; public static final int abc_text_size_subtitle_material_toolbar=0x7f070048; public static final int abc_text_size_title_material=0x7f070049; public static final int abc_text_size_title_material_toolbar=0x7f07004a; public static final int bottom_navigation_elevation=0x7f07004b; public static final int bottom_navigation_height=0x7f07004c; public static final int bottom_navigation_icon=0x7f07004d; public static final int bottom_navigation_margin_bottom=0x7f07004e; public static final int bottom_navigation_margin_top_active=0x7f07004f; public static final int bottom_navigation_margin_top_inactive=0x7f070050; public static final int bottom_navigation_max_width=0x7f070051; public static final int bottom_navigation_min_width=0x7f070052; public static final int bottom_navigation_notification_elevation=0x7f070053; public static final int bottom_navigation_notification_height=0x7f070054; public static final int bottom_navigation_notification_margin_left=0x7f070055; public static final int bottom_navigation_notification_margin_left_active=0x7f070056; public static final int bottom_navigation_notification_margin_top=0x7f070057; public static final int bottom_navigation_notification_margin_top_active=0x7f070058; public static final int bottom_navigation_notification_margin_top_classic=0x7f070059; public static final int bottom_navigation_notification_padding=0x7f07005a; public static final int bottom_navigation_notification_radius=0x7f07005b; public static final int bottom_navigation_notification_text_size=0x7f07005c; public static final int bottom_navigation_notification_width=0x7f07005d; public static final int bottom_navigation_padding_left=0x7f07005e; public static final int bottom_navigation_padding_right=0x7f07005f; public static final int bottom_navigation_small_active_max_width=0x7f070060; public static final int bottom_navigation_small_active_min_width=0x7f070061; public static final int bottom_navigation_small_inactive_max_width=0x7f070062; public static final int bottom_navigation_small_inactive_min_width=0x7f070063; public static final int bottom_navigation_small_margin_bottom=0x7f070064; public static final int bottom_navigation_small_margin_top=0x7f070065; public static final int bottom_navigation_small_margin_top_active=0x7f070066; public static final int bottom_navigation_small_selected_width_difference=0x7f070067; public static final int bottom_navigation_text_size_active=0x7f070068; public static final int bottom_navigation_text_size_forced_active=0x7f070069; public static final int bottom_navigation_text_size_forced_inactive=0x7f07006a; public static final int bottom_navigation_text_size_inactive=0x7f07006b; public static final int compat_button_inset_horizontal_material=0x7f07006c; public static final int compat_button_inset_vertical_material=0x7f07006d; public static final int compat_button_padding_horizontal_material=0x7f07006e; public static final int compat_button_padding_vertical_material=0x7f07006f; public static final int compat_control_corner_material=0x7f070070; public static final int design_appbar_elevation=0x7f070071; public static final int design_bottom_navigation_active_item_max_width=0x7f070072; public static final int design_bottom_navigation_active_text_size=0x7f070073; public static final int design_bottom_navigation_elevation=0x7f070074; public static final int design_bottom_navigation_height=0x7f070075; public static final int design_bottom_navigation_item_max_width=0x7f070076; public static final int design_bottom_navigation_item_min_width=0x7f070077; public static final int design_bottom_navigation_margin=0x7f070078; public static final int design_bottom_navigation_shadow_height=0x7f070079; public static final int design_bottom_navigation_text_size=0x7f07007a; public static final int design_bottom_sheet_modal_elevation=0x7f07007b; public static final int design_bottom_sheet_peek_height_min=0x7f07007c; public static final int design_fab_border_width=0x7f07007d; public static final int design_fab_elevation=0x7f07007e; public static final int design_fab_image_size=0x7f07007f; public static final int design_fab_size_mini=0x7f070080; public static final int design_fab_size_normal=0x7f070081; public static final int design_fab_translation_z_pressed=0x7f070082; public static final int design_navigation_elevation=0x7f070083; public static final int design_navigation_icon_padding=0x7f070084; public static final int design_navigation_icon_size=0x7f070085; public static final int design_navigation_max_width=0x7f070086; public static final int design_navigation_padding_bottom=0x7f070087; public static final int design_navigation_separator_vertical_padding=0x7f070088; public static final int design_snackbar_action_inline_max_width=0x7f070089; public static final int design_snackbar_background_corner_radius=0x7f07008a; public static final int design_snackbar_elevation=0x7f07008b; public static final int design_snackbar_extra_spacing_horizontal=0x7f07008c; public static final int design_snackbar_max_width=0x7f07008d; public static final int design_snackbar_min_width=0x7f07008e; public static final int design_snackbar_padding_horizontal=0x7f07008f; public static final int design_snackbar_padding_vertical=0x7f070090; public static final int design_snackbar_padding_vertical_2lines=0x7f070091; public static final int design_snackbar_text_size=0x7f070092; public static final int design_tab_max_width=0x7f070093; public static final int design_tab_scrollable_min_width=0x7f070094; public static final int design_tab_text_size=0x7f070095; public static final int design_tab_text_size_2line=0x7f070096; public static final int disabled_alpha_material_dark=0x7f070097; public static final int disabled_alpha_material_light=0x7f070098; public static final int fab_size_mini=0x7f070099; public static final int fab_size_normal=0x7f07009a; public static final int fastscroll_default_thickness=0x7f07009b; public static final int fastscroll_margin=0x7f07009c; public static final int fastscroll_minimum_range=0x7f07009d; public static final int highlight_alpha_material_colored=0x7f07009e; public static final int highlight_alpha_material_dark=0x7f07009f; public static final int highlight_alpha_material_light=0x7f0700a0; public static final int hint_alpha_material_dark=0x7f0700a1; public static final int hint_alpha_material_light=0x7f0700a2; public static final int hint_pressed_alpha_material_dark=0x7f0700a3; public static final int hint_pressed_alpha_material_light=0x7f0700a4; public static final int item_touch_helper_max_drag_scroll_per_frame=0x7f0700a5; public static final int item_touch_helper_swipe_escape_max_velocity=0x7f0700a6; public static final int item_touch_helper_swipe_escape_velocity=0x7f0700a7; public static final int labels_text_size=0x7f0700a8; public static final int margin=0x7f0700a9; public static final int notification_action_icon_size=0x7f0700aa; public static final int notification_action_text_size=0x7f0700ab; public static final int notification_big_circle_margin=0x7f0700ac; public static final int notification_content_margin_start=0x7f0700ad; public static final int notification_large_icon_height=0x7f0700ae; public static final int notification_large_icon_width=0x7f0700af; public static final int notification_main_column_padding_top=0x7f0700b0; public static final int notification_media_narrow_margin=0x7f0700b1; public static final int notification_right_icon_size=0x7f0700b2; public static final int notification_right_side_padding_top=0x7f0700b3; public static final int notification_small_icon_background_padding=0x7f0700b4; public static final int notification_small_icon_size_as_large=0x7f0700b5; public static final int notification_subtext_size=0x7f0700b6; public static final int notification_top_pad=0x7f0700b7; public static final int notification_top_pad_large_text=0x7f0700b8; public static final int tooltip_corner_radius=0x7f0700b9; public static final int tooltip_horizontal_padding=0x7f0700ba; public static final int tooltip_margin=0x7f0700bb; public static final int tooltip_precise_anchor_extra_offset=0x7f0700bc; public static final int tooltip_precise_anchor_threshold=0x7f0700bd; public static final int tooltip_vertical_padding=0x7f0700be; public static final int tooltip_y_offset_non_touch=0x7f0700bf; public static final int tooltip_y_offset_touch=0x7f0700c0; } public static final class drawable { public static final int abc_ab_share_pack_mtrl_alpha=0x7f080006; public static final int abc_action_bar_item_background_material=0x7f080007; public static final int abc_btn_borderless_material=0x7f080008; public static final int abc_btn_check_material=0x7f080009; public static final int abc_btn_check_to_on_mtrl_000=0x7f08000a; public static final int abc_btn_check_to_on_mtrl_015=0x7f08000b; public static final int abc_btn_colored_material=0x7f08000c; public static final int abc_btn_default_mtrl_shape=0x7f08000d; public static final int abc_btn_radio_material=0x7f08000e; public static final int abc_btn_radio_to_on_mtrl_000=0x7f08000f; public static final int abc_btn_radio_to_on_mtrl_015=0x7f080010; public static final int abc_btn_switch_to_on_mtrl_00001=0x7f080011; public static final int abc_btn_switch_to_on_mtrl_00012=0x7f080012; public static final int abc_cab_background_internal_bg=0x7f080013; public static final int abc_cab_background_top_material=0x7f080014; public static final int abc_cab_background_top_mtrl_alpha=0x7f080015; public static final int abc_control_background_material=0x7f080016; public static final int abc_dialog_material_background=0x7f080017; public static final int abc_edit_text_material=0x7f080018; public static final int abc_ic_ab_back_material=0x7f080019; public static final int abc_ic_arrow_drop_right_black_24dp=0x7f08001a; public static final int abc_ic_clear_material=0x7f08001b; public static final int abc_ic_commit_search_api_mtrl_alpha=0x7f08001c; public static final int abc_ic_go_search_api_material=0x7f08001d; public static final int abc_ic_menu_copy_mtrl_am_alpha=0x7f08001e; public static final int abc_ic_menu_cut_mtrl_alpha=0x7f08001f; public static final int abc_ic_menu_overflow_material=0x7f080020; public static final int abc_ic_menu_paste_mtrl_am_alpha=0x7f080021; public static final int abc_ic_menu_selectall_mtrl_alpha=0x7f080022; public static final int abc_ic_menu_share_mtrl_alpha=0x7f080023; public static final int abc_ic_search_api_material=0x7f080024; public static final int abc_ic_star_black_16dp=0x7f080025; public static final int abc_ic_star_black_36dp=0x7f080026; public static final int abc_ic_star_black_48dp=0x7f080027; public static final int abc_ic_star_half_black_16dp=0x7f080028; public static final int abc_ic_star_half_black_36dp=0x7f080029; public static final int abc_ic_star_half_black_48dp=0x7f08002a; public static final int abc_ic_voice_search_api_material=0x7f08002b; public static final int abc_item_background_holo_dark=0x7f08002c; public static final int abc_item_background_holo_light=0x7f08002d; public static final int abc_list_divider_mtrl_alpha=0x7f08002e; public static final int abc_list_focused_holo=0x7f08002f; public static final int abc_list_longpressed_holo=0x7f080030; public static final int abc_list_pressed_holo_dark=0x7f080031; public static final int abc_list_pressed_holo_light=0x7f080032; public static final int abc_list_selector_background_transition_holo_dark=0x7f080033; public static final int abc_list_selector_background_transition_holo_light=0x7f080034; public static final int abc_list_selector_disabled_holo_dark=0x7f080035; public static final int abc_list_selector_disabled_holo_light=0x7f080036; public static final int abc_list_selector_holo_dark=0x7f080037; public static final int abc_list_selector_holo_light=0x7f080038; public static final int abc_menu_hardkey_panel_mtrl_mult=0x7f080039; public static final int abc_popup_background_mtrl_mult=0x7f08003a; public static final int abc_ratingbar_indicator_material=0x7f08003b; public static final int abc_ratingbar_material=0x7f08003c; public static final int abc_ratingbar_small_material=0x7f08003d; public static final int abc_scrubber_control_off_mtrl_alpha=0x7f08003e; public static final int abc_scrubber_control_to_pressed_mtrl_000=0x7f08003f; public static final int abc_scrubber_control_to_pressed_mtrl_005=0x7f080040; public static final int abc_scrubber_primary_mtrl_alpha=0x7f080041; public static final int abc_scrubber_track_mtrl_alpha=0x7f080042; public static final int abc_seekbar_thumb_material=0x7f080043; public static final int abc_seekbar_tick_mark_material=0x7f080044; public static final int abc_seekbar_track_material=0x7f080045; public static final int abc_spinner_mtrl_am_alpha=0x7f080046; public static final int abc_spinner_textfield_background_material=0x7f080047; public static final int abc_switch_thumb_material=0x7f080048; public static final int abc_switch_track_mtrl_alpha=0x7f080049; public static final int abc_tab_indicator_material=0x7f08004a; public static final int abc_tab_indicator_mtrl_alpha=0x7f08004b; public static final int abc_text_cursor_material=0x7f08004c; public static final int abc_text_select_handle_left_mtrl_dark=0x7f08004d; public static final int abc_text_select_handle_left_mtrl_light=0x7f08004e; public static final int abc_text_select_handle_middle_mtrl_dark=0x7f08004f; public static final int abc_text_select_handle_middle_mtrl_light=0x7f080050; public static final int abc_text_select_handle_right_mtrl_dark=0x7f080051; public static final int abc_text_select_handle_right_mtrl_light=0x7f080052; public static final int abc_textfield_activated_mtrl_alpha=0x7f080053; public static final int abc_textfield_default_mtrl_alpha=0x7f080054; public static final int abc_textfield_search_activated_mtrl_alpha=0x7f080055; public static final int abc_textfield_search_default_mtrl_alpha=0x7f080056; public static final int abc_textfield_search_material=0x7f080057; public static final int abc_vector_test=0x7f080058; public static final int avd_hide_password=0x7f080059; public static final int avd_show_password=0x7f08005a; public static final int common_full_open_on_phone=0x7f08005b; public static final int common_google_signin_btn_icon_dark=0x7f08005c; public static final int common_google_signin_btn_icon_dark_focused=0x7f08005d; public static final int common_google_signin_btn_icon_dark_normal=0x7f08005e; public static final int common_google_signin_btn_icon_dark_normal_background=0x7f08005f; public static final int common_google_signin_btn_icon_disabled=0x7f080060; public static final int common_google_signin_btn_icon_light=0x7f080061; public static final int common_google_signin_btn_icon_light_focused=0x7f080062; public static final int common_google_signin_btn_icon_light_normal=0x7f080063; public static final int common_google_signin_btn_icon_light_normal_background=0x7f080064; public static final int common_google_signin_btn_text_dark=0x7f080065; public static final int common_google_signin_btn_text_dark_focused=0x7f080066; public static final int common_google_signin_btn_text_dark_normal=0x7f080067; public static final int common_google_signin_btn_text_dark_normal_background=0x7f080068; public static final int common_google_signin_btn_text_disabled=0x7f080069; public static final int common_google_signin_btn_text_light=0x7f08006a; public static final int common_google_signin_btn_text_light_focused=0x7f08006b; public static final int common_google_signin_btn_text_light_normal=0x7f08006c; public static final int common_google_signin_btn_text_light_normal_background=0x7f08006d; public static final int design_bottom_navigation_item_background=0x7f08006e; public static final int design_fab_background=0x7f08006f; public static final int design_ic_visibility=0x7f080070; public static final int design_ic_visibility_off=0x7f080071; public static final int design_password_eye=0x7f080072; public static final int design_snackbar_background=0x7f080073; public static final int fab_add=0x7f080074; public static final int googleg_disabled_color_18=0x7f080075; public static final int googleg_standard_color_18=0x7f080076; public static final int ic_arrow_back_black_24dp=0x7f080077; public static final int item_background=0x7f080078; public static final int navigation_empty_icon=0x7f080079; public static final int notification_action_background=0x7f08007a; public static final int notification_background=0x7f08007b; public static final int notification_bg=0x7f08007c; public static final int notification_bg_low=0x7f08007d; public static final int notification_bg_low_normal=0x7f08007e; public static final int notification_bg_low_pressed=0x7f08007f; public static final int notification_bg_normal=0x7f080080; public static final int notification_bg_normal_pressed=0x7f080081; public static final int notification_icon_background=0x7f080082; public static final int notification_template_icon_bg=0x7f080083; public static final int notification_template_icon_low_bg=0x7f080084; public static final int notification_tile_bg=0x7f080085; public static final int notify_panel_notification_icon_bg=0x7f080086; public static final int tooltip_frame_dark=0x7f080087; public static final int tooltip_frame_light=0x7f080088; } public static final class id { public static final int ALT=0x7f090000; public static final int CTRL=0x7f090001; public static final int FUNCTION=0x7f090002; public static final int META=0x7f090003; public static final int SHIFT=0x7f090004; public static final int SYM=0x7f090005; public static final int accessibility_hint=0x7f090006; public static final int accessibility_role=0x7f090007; public static final int action0=0x7f090008; public static final int action_bar=0x7f090009; public static final int action_bar_activity_content=0x7f09000a; public static final int action_bar_container=0x7f09000b; public static final int action_bar_root=0x7f09000c; public static final int action_bar_spinner=0x7f09000d; public static final int action_bar_subtitle=0x7f09000e; public static final int action_bar_title=0x7f09000f; public static final int action_container=0x7f090010; public static final int action_context_bar=0x7f090011; public static final int action_divider=0x7f090012; public static final int action_image=0x7f090013; public static final int action_menu_divider=0x7f090014; public static final int action_menu_presenter=0x7f090015; public static final int action_mode_bar=0x7f090016; public static final int action_mode_bar_stub=0x7f090017; public static final int action_mode_close_button=0x7f090018; public static final int action_text=0x7f090019; public static final int actions=0x7f09001a; public static final int activity_chooser_view_content=0x7f09001b; public static final int add=0x7f09001c; public static final int adjust_height=0x7f09001d; public static final int adjust_width=0x7f09001e; public static final int alertTitle=0x7f09001f; public static final int all=0x7f090020; public static final int always=0x7f090021; public static final int async=0x7f090022; public static final int auto=0x7f090023; public static final int beginning=0x7f090024; public static final int blocking=0x7f090025; public static final int bottom=0x7f090026; public static final int bottom_navigation_container=0x7f090027; public static final int bottom_navigation_item_icon=0x7f090028; public static final int bottom_navigation_item_title=0x7f090029; public static final int bottom_navigation_notification=0x7f09002a; public static final int bottom_navigation_small_container=0x7f09002b; public static final int bottom_navigation_small_item_icon=0x7f09002c; public static final int bottom_navigation_small_item_title=0x7f09002d; public static final int buttonPanel=0x7f09002e; public static final int cancel_action=0x7f09002f; public static final int catalyst_redbox_title=0x7f090030; public static final int center=0x7f090031; public static final int centerCrop=0x7f090032; public static final int centerInside=0x7f090033; public static final int center_horizontal=0x7f090034; public static final int center_vertical=0x7f090035; public static final int checkbox=0x7f090036; public static final int chronometer=0x7f090037; public static final int clip_horizontal=0x7f090038; public static final int clip_vertical=0x7f090039; public static final int collapseActionView=0x7f09003a; public static final int container=0x7f09003b; public static final int contentPanel=0x7f09003c; public static final int coordinator=0x7f09003d; public static final int custom=0x7f09003e; public static final int customPanel=0x7f09003f; public static final int dark=0x7f090040; public static final int decor_content_parent=0x7f090041; public static final int default_activity_button=0x7f090042; public static final int design_bottom_sheet=0x7f090043; public static final int design_menu_item_action_area=0x7f090044; public static final int design_menu_item_action_area_stub=0x7f090045; public static final int design_menu_item_text=0x7f090046; public static final int design_navigation_view=0x7f090047; public static final int disableHome=0x7f090048; public static final int down=0x7f090049; public static final int edit_query=0x7f09004a; public static final int end=0x7f09004b; public static final int end_padder=0x7f09004c; public static final int enterAlways=0x7f09004d; public static final int enterAlwaysCollapsed=0x7f09004e; public static final int exitUntilCollapsed=0x7f09004f; public static final int expand_activities_button=0x7f090050; public static final int expanded_menu=0x7f090051; public static final int fab_label=0x7f090052; public static final int fill=0x7f090053; public static final int fill_horizontal=0x7f090054; public static final int fill_vertical=0x7f090055; public static final int fitBottomStart=0x7f090056; public static final int fitCenter=0x7f090057; public static final int fitEnd=0x7f090058; public static final int fitStart=0x7f090059; public static final int fitXY=0x7f09005a; public static final int fixed=0x7f09005b; public static final int focusCrop=0x7f09005c; public static final int forever=0x7f09005d; public static final int fps_text=0x7f09005e; public static final int fragment_screen_content=0x7f09005f; public static final int ghost_view=0x7f090060; public static final int home=0x7f090061; public static final int homeAsUp=0x7f090062; public static final int icon=0x7f090063; public static final int icon_group=0x7f090064; public static final int icon_only=0x7f090065; public static final int ifRoom=0x7f090066; public static final int image=0x7f090067; public static final int info=0x7f090068; public static final int italic=0x7f090069; public static final int item_touch_helper_previous_elevation=0x7f09006a; public static final int largeLabel=0x7f09006b; public static final int left=0x7f09006c; public static final int light=0x7f09006d; public static final int line1=0x7f09006e; public static final int line3=0x7f09006f; public static final int listMode=0x7f090070; public static final int list_item=0x7f090071; public static final int marquee=0x7f090072; public static final int masked=0x7f090073; public static final int media_actions=0x7f090074; public static final int message=0x7f090075; public static final int middle=0x7f090076; public static final int mini=0x7f090077; public static final int multiply=0x7f090078; public static final int navigation_header_container=0x7f090079; public static final int never=0x7f09007a; public static final int none=0x7f09007b; public static final int normal=0x7f09007c; public static final int notification_background=0x7f09007d; public static final int notification_main_column=0x7f09007e; public static final int notification_main_column_container=0x7f09007f; public static final int parallax=0x7f090080; public static final int parentPanel=0x7f090081; public static final int parent_matrix=0x7f090082; public static final int pin=0x7f090083; public static final int progress_circular=0x7f090084; public static final int progress_horizontal=0x7f090085; public static final int radio=0x7f090086; public static final int react_root_view=0x7f090087; public static final int react_test_id=0x7f090088; public static final int right=0x7f090089; public static final int right_icon=0x7f09008a; public static final int right_side=0x7f09008b; public static final int rn_frame_file=0x7f09008c; public static final int rn_frame_method=0x7f09008d; public static final int rn_redbox_copy_button=0x7f09008e; public static final int rn_redbox_dismiss_button=0x7f09008f; public static final int rn_redbox_line_separator=0x7f090090; public static final int rn_redbox_loading_indicator=0x7f090091; public static final int rn_redbox_reload_button=0x7f090092; public static final int rn_redbox_report_button=0x7f090093; public static final int rn_redbox_report_label=0x7f090094; public static final int rn_redbox_stack=0x7f090095; public static final int save_image_matrix=0x7f090096; public static final int save_non_transition_alpha=0x7f090097; public static final int save_scale_type=0x7f090098; public static final int screen=0x7f090099; public static final int scroll=0x7f09009a; public static final int scrollIndicatorDown=0x7f09009b; public static final int scrollIndicatorUp=0x7f09009c; public static final int scrollView=0x7f09009d; public static final int scrollable=0x7f09009e; public static final int search_badge=0x7f09009f; public static final int search_bar=0x7f0900a0; public static final int search_button=0x7f0900a1; public static final int search_close_btn=0x7f0900a2; public static final int search_edit_frame=0x7f0900a3; public static final int search_go_btn=0x7f0900a4; public static final int search_mag_icon=0x7f0900a5; public static final int search_plate=0x7f0900a6; public static final int search_src_text=0x7f0900a7; public static final int search_voice_btn=0x7f0900a8; public static final int select_dialog_listview=0x7f0900a9; public static final int shortcut=0x7f0900aa; public static final int showCustom=0x7f0900ab; public static final int showHome=0x7f0900ac; public static final int showTitle=0x7f0900ad; public static final int smallLabel=0x7f0900ae; public static final int snackbar_action=0x7f0900af; public static final int snackbar_text=0x7f0900b0; public static final int snap=0x7f0900b1; public static final int spacer=0x7f0900b2; public static final int split_action_bar=0x7f0900b3; public static final int src_atop=0x7f0900b4; public static final int src_in=0x7f0900b5; public static final int src_over=0x7f0900b6; public static final int standard=0x7f0900b7; public static final int start=0x7f0900b8; public static final int status_bar_latest_event_content=0x7f0900b9; public static final int submenuarrow=0x7f0900ba; public static final int submit_area=0x7f0900bb; public static final int tabMode=0x7f0900bc; public static final int tag_transition_group=0x7f0900bd; public static final int text=0x7f0900be; public static final int text2=0x7f0900bf; public static final int textSpacerNoButtons=0x7f0900c0; public static final int textSpacerNoTitle=0x7f0900c1; public static final int text_input_password_toggle=0x7f0900c2; public static final int textinput_counter=0x7f0900c3; public static final int textinput_error=0x7f0900c4; public static final int time=0x7f0900c5; public static final int title=0x7f0900c6; public static final int titleDividerNoCustom=0x7f0900c7; public static final int title_template=0x7f0900c8; public static final int top=0x7f0900c9; public static final int topBarBackgroundComponent=0x7f0900ca; public static final int topPanel=0x7f0900cb; public static final int touch_outside=0x7f0900cc; public static final int transition_current_scene=0x7f0900cd; public static final int transition_layout_save=0x7f0900ce; public static final int transition_position=0x7f0900cf; public static final int transition_scene_layoutid_cache=0x7f0900d0; public static final int transition_transform=0x7f0900d1; public static final int uniform=0x7f0900d2; public static final int up=0x7f0900d3; public static final int useLogo=0x7f0900d4; public static final int view_offset_helper=0x7f0900d5; public static final int view_tag_instance_handle=0x7f0900d6; public static final int view_tag_native_id=0x7f0900d7; public static final int visible=0x7f0900d8; public static final int wide=0x7f0900d9; public static final int withText=0x7f0900da; public static final int wrap_content=0x7f0900db; } public static final class integer { public static final int abc_config_activityDefaultDur=0x7f0a0000; public static final int abc_config_activityShortDur=0x7f0a0001; public static final int app_bar_elevation_anim_duration=0x7f0a0002; public static final int bottom_sheet_slide_duration=0x7f0a0003; public static final int cancel_button_image_alpha=0x7f0a0004; public static final int config_tooltipAnimTime=0x7f0a0005; public static final int design_snackbar_text_max_lines=0x7f0a0006; public static final int google_play_services_version=0x7f0a0007; public static final int hide_password_duration=0x7f0a0008; public static final int show_password_duration=0x7f0a0009; public static final int status_bar_notification_info_maxnum=0x7f0a000a; } public static final class layout { public static final int abc_action_bar_title_item=0x7f0b0000; public static final int abc_action_bar_up_container=0x7f0b0001; public static final int abc_action_menu_item_layout=0x7f0b0002; public static final int abc_action_menu_layout=0x7f0b0003; public static final int abc_action_mode_bar=0x7f0b0004; public static final int abc_action_mode_close_item_material=0x7f0b0005; public static final int abc_activity_chooser_view=0x7f0b0006; public static final int abc_activity_chooser_view_list_item=0x7f0b0007; public static final int abc_alert_dialog_button_bar_material=0x7f0b0008; public static final int abc_alert_dialog_material=0x7f0b0009; public static final int abc_alert_dialog_title_material=0x7f0b000a; public static final int abc_dialog_title_material=0x7f0b000b; public static final int abc_expanded_menu_layout=0x7f0b000c; public static final int abc_list_menu_item_checkbox=0x7f0b000d; public static final int abc_list_menu_item_icon=0x7f0b000e; public static final int abc_list_menu_item_layout=0x7f0b000f; public static final int abc_list_menu_item_radio=0x7f0b0010; public static final int abc_popup_menu_header_item_layout=0x7f0b0011; public static final int abc_popup_menu_item_layout=0x7f0b0012; public static final int abc_screen_content_include=0x7f0b0013; public static final int abc_screen_simple=0x7f0b0014; public static final int abc_screen_simple_overlay_action_mode=0x7f0b0015; public static final int abc_screen_toolbar=0x7f0b0016; public static final int abc_search_dropdown_item_icons_2line=0x7f0b0017; public static final int abc_search_view=0x7f0b0018; public static final int abc_select_dialog_material=0x7f0b0019; public static final int abc_tooltip=0x7f0b001a; public static final int bottom_navigation_item=0x7f0b001b; public static final int bottom_navigation_small_item=0x7f0b001c; public static final int design_bottom_navigation_item=0x7f0b001d; public static final int design_bottom_sheet_dialog=0x7f0b001e; public static final int design_layout_snackbar=0x7f0b001f; public static final int design_layout_snackbar_include=0x7f0b0020; public static final int design_layout_tab_icon=0x7f0b0021; public static final int design_layout_tab_text=0x7f0b0022; public static final int design_menu_item_action_area=0x7f0b0023; public static final int design_navigation_item=0x7f0b0024; public static final int design_navigation_item_header=0x7f0b0025; public static final int design_navigation_item_separator=0x7f0b0026; public static final int design_navigation_item_subheader=0x7f0b0027; public static final int design_navigation_menu=0x7f0b0028; public static final int design_navigation_menu_item=0x7f0b0029; public static final int design_text_input_password_icon=0x7f0b002a; public static final int dev_loading_view=0x7f0b002b; public static final int fps_view=0x7f0b002c; public static final int notification_action=0x7f0b002d; public static final int notification_action_tombstone=0x7f0b002e; public static final int notification_media_action=0x7f0b002f; public static final int notification_media_cancel_action=0x7f0b0030; public static final int notification_template_big_media=0x7f0b0031; public static final int notification_template_big_media_custom=0x7f0b0032; public static final int notification_template_big_media_narrow=0x7f0b0033; public static final int notification_template_big_media_narrow_custom=0x7f0b0034; public static final int notification_template_custom_big=0x7f0b0035; public static final int notification_template_icon_group=0x7f0b0036; public static final int notification_template_lines_media=0x7f0b0037; public static final int notification_template_media=0x7f0b0038; public static final int notification_template_media_custom=0x7f0b0039; public static final int notification_template_part_chronometer=0x7f0b003a; public static final int notification_template_part_time=0x7f0b003b; public static final int redbox_item_frame=0x7f0b003c; public static final int redbox_item_title=0x7f0b003d; public static final int redbox_view=0x7f0b003e; public static final int select_dialog_item_material=0x7f0b003f; public static final int select_dialog_multichoice_material=0x7f0b0040; public static final int select_dialog_singlechoice_material=0x7f0b0041; public static final int support_simple_spinner_dropdown_item=0x7f0b0042; } public static final class mipmap { public static final int ic_launcher=0x7f0c0000; public static final int ic_launcher_round=0x7f0c0001; } public static final class string { public static final int abc_action_bar_home_description=0x7f0d0000; public static final int abc_action_bar_up_description=0x7f0d0001; public static final int abc_action_menu_overflow_description=0x7f0d0002; public static final int abc_action_mode_done=0x7f0d0003; public static final int abc_activity_chooser_view_see_all=0x7f0d0004; public static final int abc_activitychooserview_choose_application=0x7f0d0005; public static final int abc_capital_off=0x7f0d0006; public static final int abc_capital_on=0x7f0d0007; public static final int abc_font_family_body_1_material=0x7f0d0008; public static final int abc_font_family_body_2_material=0x7f0d0009; public static final int abc_font_family_button_material=0x7f0d000a; public static final int abc_font_family_caption_material=0x7f0d000b; public static final int abc_font_family_display_1_material=0x7f0d000c; public static final int abc_font_family_display_2_material=0x7f0d000d; public static final int abc_font_family_display_3_material=0x7f0d000e; public static final int abc_font_family_display_4_material=0x7f0d000f; public static final int abc_font_family_headline_material=0x7f0d0010; public static final int abc_font_family_menu_material=0x7f0d0011; public static final int abc_font_family_subhead_material=0x7f0d0012; public static final int abc_font_family_title_material=0x7f0d0013; public static final int abc_search_hint=0x7f0d0014; public static final int abc_searchview_description_clear=0x7f0d0015; public static final int abc_searchview_description_query=0x7f0d0016; public static final int abc_searchview_description_search=0x7f0d0017; public static final int abc_searchview_description_submit=0x7f0d0018; public static final int abc_searchview_description_voice=0x7f0d0019; public static final int abc_shareactionprovider_share_with=0x7f0d001a; public static final int abc_shareactionprovider_share_with_application=0x7f0d001b; public static final int abc_toolbar_collapse_description=0x7f0d001c; public static final int adjustable_description=0x7f0d001d; public static final int app_name=0x7f0d001e; public static final int appbar_scrolling_view_behavior=0x7f0d001f; public static final int bottom_sheet_behavior=0x7f0d0020; public static final int catalyst_copy_button=0x7f0d0021; public static final int catalyst_debugjs=0x7f0d0022; public static final int catalyst_debugjs_nuclide=0x7f0d0023; public static final int catalyst_debugjs_nuclide_failure=0x7f0d0024; public static final int catalyst_debugjs_off=0x7f0d0025; public static final int catalyst_dismiss_button=0x7f0d0026; public static final int catalyst_element_inspector=0x7f0d0027; public static final int catalyst_heap_capture=0x7f0d0028; public static final int catalyst_hot_module_replacement=0x7f0d0029; public static final int catalyst_hot_module_replacement_off=0x7f0d002a; public static final int catalyst_jsload_error=0x7f0d002b; public static final int catalyst_live_reload=0x7f0d002c; public static final int catalyst_live_reload_off=0x7f0d002d; public static final int catalyst_loading_from_url=0x7f0d002e; public static final int catalyst_perf_monitor=0x7f0d002f; public static final int catalyst_perf_monitor_off=0x7f0d0030; public static final int catalyst_poke_sampling_profiler=0x7f0d0031; public static final int catalyst_reload_button=0x7f0d0032; public static final int catalyst_reloadjs=0x7f0d0033; public static final int catalyst_remotedbg_error=0x7f0d0034; public static final int catalyst_remotedbg_message=0x7f0d0035; public static final int catalyst_report_button=0x7f0d0036; public static final int catalyst_settings=0x7f0d0037; public static final int catalyst_settings_title=0x7f0d0038; public static final int character_counter_pattern=0x7f0d0039; public static final int com_crashlytics_android_build_id=0x7f0d003a; public static final int common_google_play_services_enable_button=0x7f0d003b; public static final int common_google_play_services_enable_text=0x7f0d003c; public static final int common_google_play_services_enable_title=0x7f0d003d; public static final int common_google_play_services_install_button=0x7f0d003e; public static final int common_google_play_services_install_text=0x7f0d003f; public static final int common_google_play_services_install_title=0x7f0d0040; public static final int common_google_play_services_notification_channel_name=0x7f0d0041; public static final int common_google_play_services_notification_ticker=0x7f0d0042; public static final int common_google_play_services_unknown_issue=0x7f0d0043; public static final int common_google_play_services_unsupported_text=0x7f0d0044; public static final int common_google_play_services_update_button=0x7f0d0045; public static final int common_google_play_services_update_text=0x7f0d0046; public static final int common_google_play_services_update_title=0x7f0d0047; public static final int common_google_play_services_updating_text=0x7f0d0048; public static final int common_google_play_services_wear_update_text=0x7f0d0049; public static final int common_open_on_phone=0x7f0d004a; public static final int common_signin_button_text=0x7f0d004b; public static final int common_signin_button_text_long=0x7f0d004c; public static final int default_web_client_id=0x7f0d004d; public static final int drawer_close=0x7f0d004e; public static final int drawer_open=0x7f0d004f; public static final int firebase_database_url=0x7f0d0050; public static final int gcm_defaultSenderId=0x7f0d0051; public static final int google_api_key=0x7f0d0052; public static final int google_app_id=0x7f0d0053; public static final int google_crash_reporting_api_key=0x7f0d0054; public static final int google_storage_bucket=0x7f0d0055; public static final int image_button_description=0x7f0d0056; public static final int image_description=0x7f0d0057; public static final int link_description=0x7f0d0058; public static final int password_toggle_content_description=0x7f0d0059; public static final int path_password_eye=0x7f0d005a; public static final int path_password_eye_mask_strike_through=0x7f0d005b; public static final int path_password_eye_mask_visible=0x7f0d005c; public static final int path_password_strike_through=0x7f0d005d; public static final int project_id=0x7f0d005e; public static final int s1=0x7f0d005f; public static final int s2=0x7f0d0060; public static final int s3=0x7f0d0061; public static final int s4=0x7f0d0062; public static final int s5=0x7f0d0063; public static final int s6=0x7f0d0064; public static final int s7=0x7f0d0065; public static final int search_description=0x7f0d0066; public static final int search_menu_title=0x7f0d0067; public static final int status_bar_notification_info_overflow=0x7f0d0068; } public static final class style { public static final int AlertDialog_AppCompat=0x7f0e0000; public static final int AlertDialog_AppCompat_Light=0x7f0e0001; public static final int Animation_AppCompat_Dialog=0x7f0e0002; public static final int Animation_AppCompat_DropDownUp=0x7f0e0003; public static final int Animation_AppCompat_Tooltip=0x7f0e0004; public static final int Animation_Catalyst_RedBox=0x7f0e0005; public static final int Animation_Design_BottomSheetDialog=0x7f0e0006; public static final int AppTheme=0x7f0e0007; public static final int Base_AlertDialog_AppCompat=0x7f0e0008; public static final int Base_AlertDialog_AppCompat_Light=0x7f0e0009; public static final int Base_Animation_AppCompat_Dialog=0x7f0e000a; public static final int Base_Animation_AppCompat_DropDownUp=0x7f0e000b; public static final int Base_Animation_AppCompat_Tooltip=0x7f0e000c; public static final int Base_DialogWindowTitle_AppCompat=0x7f0e000d; public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f0e000e; public static final int Base_TextAppearance_AppCompat=0x7f0e000f; public static final int Base_TextAppearance_AppCompat_Body1=0x7f0e0010; public static final int Base_TextAppearance_AppCompat_Body2=0x7f0e0011; public static final int Base_TextAppearance_AppCompat_Button=0x7f0e0012; public static final int Base_TextAppearance_AppCompat_Caption=0x7f0e0013; public static final int Base_TextAppearance_AppCompat_Display1=0x7f0e0014; public static final int Base_TextAppearance_AppCompat_Display2=0x7f0e0015; public static final int Base_TextAppearance_AppCompat_Display3=0x7f0e0016; public static final int Base_TextAppearance_AppCompat_Display4=0x7f0e0017; public static final int Base_TextAppearance_AppCompat_Headline=0x7f0e0018; public static final int Base_TextAppearance_AppCompat_Inverse=0x7f0e0019; public static final int Base_TextAppearance_AppCompat_Large=0x7f0e001a; public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f0e001b; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0e001c; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0e001d; public static final int Base_TextAppearance_AppCompat_Medium=0x7f0e001e; public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f0e001f; public static final int Base_TextAppearance_AppCompat_Menu=0x7f0e0020; public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f0e0021; public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0e0022; public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f0e0023; public static final int Base_TextAppearance_AppCompat_Small=0x7f0e0024; public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f0e0025; public static final int Base_TextAppearance_AppCompat_Subhead=0x7f0e0026; public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f0e0027; public static final int Base_TextAppearance_AppCompat_Title=0x7f0e0028; public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f0e0029; public static final int Base_TextAppearance_AppCompat_Tooltip=0x7f0e002a; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0e002b; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0e002c; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0e002d; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0e002e; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0e002f; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0e0030; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0e0031; public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f0e0032; public static final int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0e0033; public static final int Base_TextAppearance_AppCompat_Widget_Button_Colored=0x7f0e0034; public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0e0035; public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f0e0036; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0e0037; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0e0038; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0e0039; public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f0e003a; public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0e003b; public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0e003c; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0e003d; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0e003e; public static final int Base_Theme_AppCompat=0x7f0e003f; public static final int Base_Theme_AppCompat_CompactMenu=0x7f0e0040; public static final int Base_Theme_AppCompat_Dialog=0x7f0e0041; public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f0e0042; public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f0e0043; public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f0e0044; public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f0e0045; public static final int Base_Theme_AppCompat_Light=0x7f0e0046; public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f0e0047; public static final int Base_Theme_AppCompat_Light_Dialog=0x7f0e0048; public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f0e0049; public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f0e004a; public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f0e004b; public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f0e004c; public static final int Base_ThemeOverlay_AppCompat=0x7f0e004d; public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f0e004e; public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f0e004f; public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0e0050; public static final int Base_ThemeOverlay_AppCompat_Dialog=0x7f0e0051; public static final int Base_ThemeOverlay_AppCompat_Dialog_Alert=0x7f0e0052; public static final int Base_ThemeOverlay_AppCompat_Light=0x7f0e0053; public static final int Base_V14_Widget_Design_AppBarLayout=0x7f0e0054; public static final int Base_V21_Theme_AppCompat=0x7f0e0055; public static final int Base_V21_Theme_AppCompat_Dialog=0x7f0e0056; public static final int Base_V21_Theme_AppCompat_Light=0x7f0e0057; public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f0e0058; public static final int Base_V21_ThemeOverlay_AppCompat_Dialog=0x7f0e0059; public static final int Base_V21_Widget_Design_AppBarLayout=0x7f0e005a; public static final int Base_V22_Theme_AppCompat=0x7f0e005b; public static final int Base_V22_Theme_AppCompat_Light=0x7f0e005c; public static final int Base_V23_Theme_AppCompat=0x7f0e005d; public static final int Base_V23_Theme_AppCompat_Light=0x7f0e005e; public static final int Base_V26_Theme_AppCompat=0x7f0e005f; public static final int Base_V26_Theme_AppCompat_Light=0x7f0e0060; public static final int Base_V26_Widget_AppCompat_Toolbar=0x7f0e0061; public static final int Base_V26_Widget_Design_AppBarLayout=0x7f0e0062; public static final int Base_V7_Theme_AppCompat=0x7f0e0063; public static final int Base_V7_Theme_AppCompat_Dialog=0x7f0e0064; public static final int Base_V7_Theme_AppCompat_Light=0x7f0e0065; public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f0e0066; public static final int Base_V7_ThemeOverlay_AppCompat_Dialog=0x7f0e0067; public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f0e0068; public static final int Base_V7_Widget_AppCompat_EditText=0x7f0e0069; public static final int Base_V7_Widget_AppCompat_Toolbar=0x7f0e006a; public static final int Base_Widget_AppCompat_ActionBar=0x7f0e006b; public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f0e006c; public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0e006d; public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f0e006e; public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f0e006f; public static final int Base_Widget_AppCompat_ActionButton=0x7f0e0070; public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f0e0071; public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f0e0072; public static final int Base_Widget_AppCompat_ActionMode=0x7f0e0073; public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0e0074; public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f0e0075; public static final int Base_Widget_AppCompat_Button=0x7f0e0076; public static final int Base_Widget_AppCompat_Button_Borderless=0x7f0e0077; public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f0e0078; public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0e0079; public static final int Base_Widget_AppCompat_Button_Colored=0x7f0e007a; public static final int Base_Widget_AppCompat_Button_Small=0x7f0e007b; public static final int Base_Widget_AppCompat_ButtonBar=0x7f0e007c; public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0e007d; public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f0e007e; public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f0e007f; public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0e0080; public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f0e0081; public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0e0082; public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f0e0083; public static final int Base_Widget_AppCompat_EditText=0x7f0e0084; public static final int Base_Widget_AppCompat_ImageButton=0x7f0e0085; public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0e0086; public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0e0087; public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0e0088; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f0e0089; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0e008a; public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f0e008b; public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f0e008c; public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0e008d; public static final int Base_Widget_AppCompat_ListMenuView=0x7f0e008e; public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f0e008f; public static final int Base_Widget_AppCompat_ListView=0x7f0e0090; public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f0e0091; public static final int Base_Widget_AppCompat_ListView_Menu=0x7f0e0092; public static final int Base_Widget_AppCompat_PopupMenu=0x7f0e0093; public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f0e0094; public static final int Base_Widget_AppCompat_PopupWindow=0x7f0e0095; public static final int Base_Widget_AppCompat_ProgressBar=0x7f0e0096; public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f0e0097; public static final int Base_Widget_AppCompat_RatingBar=0x7f0e0098; public static final int Base_Widget_AppCompat_RatingBar_Indicator=0x7f0e0099; public static final int Base_Widget_AppCompat_RatingBar_Small=0x7f0e009a; public static final int Base_Widget_AppCompat_SearchView=0x7f0e009b; public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0e009c; public static final int Base_Widget_AppCompat_SeekBar=0x7f0e009d; public static final int Base_Widget_AppCompat_SeekBar_Discrete=0x7f0e009e; public static final int Base_Widget_AppCompat_Spinner=0x7f0e009f; public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f0e00a0; public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f0e00a1; public static final int Base_Widget_AppCompat_Toolbar=0x7f0e00a2; public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f0e00a3; public static final int Base_Widget_Design_AppBarLayout=0x7f0e00a4; public static final int Base_Widget_Design_TabLayout=0x7f0e00a5; public static final int CalendarDatePickerDialog=0x7f0e00a6; public static final int CalendarDatePickerStyle=0x7f0e00a7; public static final int ClockTimePickerDialog=0x7f0e00a8; public static final int ClockTimePickerStyle=0x7f0e00a9; public static final int DialogAnimationFade=0x7f0e00aa; public static final int DialogAnimationSlide=0x7f0e00ab; public static final int Modal=0x7f0e00ac; public static final int Platform_AppCompat=0x7f0e00ad; public static final int Platform_AppCompat_Light=0x7f0e00ae; public static final int Platform_ThemeOverlay_AppCompat=0x7f0e00af; public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f0e00b0; public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f0e00b1; public static final int Platform_V21_AppCompat=0x7f0e00b2; public static final int Platform_V21_AppCompat_Light=0x7f0e00b3; public static final int Platform_V25_AppCompat=0x7f0e00b4; public static final int Platform_V25_AppCompat_Light=0x7f0e00b5; public static final int Platform_Widget_AppCompat_Spinner=0x7f0e00b6; public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f0e00b7; public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f0e00b8; public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f0e00b9; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f0e00ba; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f0e00bb; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f0e00bc; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f0e00bd; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f0e00be; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f0e00bf; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f0e00c0; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f0e00c1; public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f0e00c2; public static final int RtlUnderlay_Widget_AppCompat_ActionButton=0x7f0e00c3; public static final int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow=0x7f0e00c4; public static final int SpinnerDatePickerDialog=0x7f0e00c5; public static final int SpinnerDatePickerStyle=0x7f0e00c6; public static final int SpinnerTimePickerDialog=0x7f0e00c7; public static final int SpinnerTimePickerStyle=0x7f0e00c8; public static final int TextAppearance_AppCompat=0x7f0e00c9; public static final int TextAppearance_AppCompat_Body1=0x7f0e00ca; public static final int TextAppearance_AppCompat_Body2=0x7f0e00cb; public static final int TextAppearance_AppCompat_Button=0x7f0e00cc; public static final int TextAppearance_AppCompat_Caption=0x7f0e00cd; public static final int TextAppearance_AppCompat_Display1=0x7f0e00ce; public static final int TextAppearance_AppCompat_Display2=0x7f0e00cf; public static final int TextAppearance_AppCompat_Display3=0x7f0e00d0; public static final int TextAppearance_AppCompat_Display4=0x7f0e00d1; public static final int TextAppearance_AppCompat_Headline=0x7f0e00d2; public static final int TextAppearance_AppCompat_Inverse=0x7f0e00d3; public static final int TextAppearance_AppCompat_Large=0x7f0e00d4; public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0e00d5; public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0e00d6; public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0e00d7; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0e00d8; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0e00d9; public static final int TextAppearance_AppCompat_Medium=0x7f0e00da; public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0e00db; public static final int TextAppearance_AppCompat_Menu=0x7f0e00dc; public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0e00dd; public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0e00de; public static final int TextAppearance_AppCompat_Small=0x7f0e00df; public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0e00e0; public static final int TextAppearance_AppCompat_Subhead=0x7f0e00e1; public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0e00e2; public static final int TextAppearance_AppCompat_Title=0x7f0e00e3; public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0e00e4; public static final int TextAppearance_AppCompat_Tooltip=0x7f0e00e5; public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0e00e6; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0e00e7; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0e00e8; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0e00e9; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0e00ea; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0e00eb; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0e00ec; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0e00ed; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0e00ee; public static final int TextAppearance_AppCompat_Widget_Button=0x7f0e00ef; public static final int TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0e00f0; public static final int TextAppearance_AppCompat_Widget_Button_Colored=0x7f0e00f1; public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0e00f2; public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0e00f3; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0e00f4; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0e00f5; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0e00f6; public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0e00f7; public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0e00f8; public static final int TextAppearance_Compat_Notification=0x7f0e00f9; public static final int TextAppearance_Compat_Notification_Info=0x7f0e00fa; public static final int TextAppearance_Compat_Notification_Info_Media=0x7f0e00fb; public static final int TextAppearance_Compat_Notification_Line2=0x7f0e00fc; public static final int TextAppearance_Compat_Notification_Line2_Media=0x7f0e00fd; public static final int TextAppearance_Compat_Notification_Media=0x7f0e00fe; public static final int TextAppearance_Compat_Notification_Time=0x7f0e00ff; public static final int TextAppearance_Compat_Notification_Time_Media=0x7f0e0100; public static final int TextAppearance_Compat_Notification_Title=0x7f0e0101; public static final int TextAppearance_Compat_Notification_Title_Media=0x7f0e0102; public static final int TextAppearance_Design_CollapsingToolbar_Expanded=0x7f0e0103; public static final int TextAppearance_Design_Counter=0x7f0e0104; public static final int TextAppearance_Design_Counter_Overflow=0x7f0e0105; public static final int TextAppearance_Design_Error=0x7f0e0106; public static final int TextAppearance_Design_Hint=0x7f0e0107; public static final int TextAppearance_Design_Snackbar_Message=0x7f0e0108; public static final int TextAppearance_Design_Tab=0x7f0e0109; public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0e010a; public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0e010b; public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0e010c; public static final int Theme=0x7f0e010d; public static final int Theme_AppCompat=0x7f0e010e; public static final int Theme_AppCompat_CompactMenu=0x7f0e010f; public static final int Theme_AppCompat_DayNight=0x7f0e0110; public static final int Theme_AppCompat_DayNight_DarkActionBar=0x7f0e0111; public static final int Theme_AppCompat_DayNight_Dialog=0x7f0e0112; public static final int Theme_AppCompat_DayNight_Dialog_Alert=0x7f0e0113; public static final int Theme_AppCompat_DayNight_Dialog_MinWidth=0x7f0e0114; public static final int Theme_AppCompat_DayNight_DialogWhenLarge=0x7f0e0115; public static final int Theme_AppCompat_DayNight_NoActionBar=0x7f0e0116; public static final int Theme_AppCompat_Dialog=0x7f0e0117; public static final int Theme_AppCompat_Dialog_Alert=0x7f0e0118; public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0e0119; public static final int Theme_AppCompat_DialogWhenLarge=0x7f0e011a; public static final int Theme_AppCompat_Light=0x7f0e011b; public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0e011c; public static final int Theme_AppCompat_Light_Dialog=0x7f0e011d; public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0e011e; public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0e011f; public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0e0120; public static final int Theme_AppCompat_Light_NoActionBar=0x7f0e0121; public static final int Theme_AppCompat_NoActionBar=0x7f0e0122; public static final int Theme_AppInvite_Preview=0x7f0e0123; public static final int Theme_AppInvite_Preview_Base=0x7f0e0124; public static final int Theme_Catalyst=0x7f0e0125; public static final int Theme_Catalyst_RedBox=0x7f0e0126; public static final int Theme_Design=0x7f0e0127; public static final int Theme_Design_BottomSheetDialog=0x7f0e0128; public static final int Theme_Design_Light=0x7f0e0129; public static final int Theme_Design_Light_BottomSheetDialog=0x7f0e012a; public static final int Theme_Design_Light_NoActionBar=0x7f0e012b; public static final int Theme_Design_NoActionBar=0x7f0e012c; public static final int Theme_FullScreenDialog=0x7f0e012d; public static final int Theme_FullScreenDialogAnimatedFade=0x7f0e012e; public static final int Theme_FullScreenDialogAnimatedSlide=0x7f0e012f; public static final int Theme_IAPTheme=0x7f0e0130; public static final int Theme_ReactNative_AppCompat_Light=0x7f0e0131; public static final int Theme_ReactNative_AppCompat_Light_NoActionBar_FullScreen=0x7f0e0132; public static final int ThemeOverlay_AppCompat=0x7f0e0133; public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0e0134; public static final int ThemeOverlay_AppCompat_Dark=0x7f0e0135; public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0e0136; public static final int ThemeOverlay_AppCompat_Dialog=0x7f0e0137; public static final int ThemeOverlay_AppCompat_Dialog_Alert=0x7f0e0138; public static final int ThemeOverlay_AppCompat_Light=0x7f0e0139; public static final int TopBar=0x7f0e013a; public static final int Widget_AppCompat_ActionBar=0x7f0e013b; public static final int Widget_AppCompat_ActionBar_Solid=0x7f0e013c; public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0e013d; public static final int Widget_AppCompat_ActionBar_TabText=0x7f0e013e; public static final int Widget_AppCompat_ActionBar_TabView=0x7f0e013f; public static final int Widget_AppCompat_ActionButton=0x7f0e0140; public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0e0141; public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0e0142; public static final int Widget_AppCompat_ActionMode=0x7f0e0143; public static final int Widget_AppCompat_ActivityChooserView=0x7f0e0144; public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0e0145; public static final int Widget_AppCompat_Button=0x7f0e0146; public static final int Widget_AppCompat_Button_Borderless=0x7f0e0147; public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f0e0148; public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0e0149; public static final int Widget_AppCompat_Button_Colored=0x7f0e014a; public static final int Widget_AppCompat_Button_Small=0x7f0e014b; public static final int Widget_AppCompat_ButtonBar=0x7f0e014c; public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f0e014d; public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f0e014e; public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f0e014f; public static final int Widget_AppCompat_CompoundButton_Switch=0x7f0e0150; public static final int Widget_AppCompat_DrawerArrowToggle=0x7f0e0151; public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f0e0152; public static final int Widget_AppCompat_EditText=0x7f0e0153; public static final int Widget_AppCompat_ImageButton=0x7f0e0154; public static final int Widget_AppCompat_Light_ActionBar=0x7f0e0155; public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f0e0156; public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f0e0157; public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f0e0158; public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f0e0159; public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f0e015a; public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0e015b; public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f0e015c; public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f0e015d; public static final int Widget_AppCompat_Light_ActionButton=0x7f0e015e; public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f0e015f; public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f0e0160; public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f0e0161; public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f0e0162; public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f0e0163; public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f0e0164; public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f0e0165; public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f0e0166; public static final int Widget_AppCompat_Light_PopupMenu=0x7f0e0167; public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0e0168; public static final int Widget_AppCompat_Light_SearchView=0x7f0e0169; public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f0e016a; public static final int Widget_AppCompat_ListMenuView=0x7f0e016b; public static final int Widget_AppCompat_ListPopupWindow=0x7f0e016c; public static final int Widget_AppCompat_ListView=0x7f0e016d; public static final int Widget_AppCompat_ListView_DropDown=0x7f0e016e; public static final int Widget_AppCompat_ListView_Menu=0x7f0e016f; public static final int Widget_AppCompat_PopupMenu=0x7f0e0170; public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f0e0171; public static final int Widget_AppCompat_PopupWindow=0x7f0e0172; public static final int Widget_AppCompat_ProgressBar=0x7f0e0173; public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f0e0174; public static final int Widget_AppCompat_RatingBar=0x7f0e0175; public static final int Widget_AppCompat_RatingBar_Indicator=0x7f0e0176; public static final int Widget_AppCompat_RatingBar_Small=0x7f0e0177; public static final int Widget_AppCompat_SearchView=0x7f0e0178; public static final int Widget_AppCompat_SearchView_ActionBar=0x7f0e0179; public static final int Widget_AppCompat_SeekBar=0x7f0e017a; public static final int Widget_AppCompat_SeekBar_Discrete=0x7f0e017b; public static final int Widget_AppCompat_Spinner=0x7f0e017c; public static final int Widget_AppCompat_Spinner_DropDown=0x7f0e017d; public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f0e017e; public static final int Widget_AppCompat_Spinner_Underlined=0x7f0e017f; public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f0e0180; public static final int Widget_AppCompat_Toolbar=0x7f0e0181; public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f0e0182; public static final int Widget_Compat_NotificationActionContainer=0x7f0e0183; public static final int Widget_Compat_NotificationActionText=0x7f0e0184; public static final int Widget_Design_AppBarLayout=0x7f0e0185; public static final int Widget_Design_BottomNavigationView=0x7f0e0186; public static final int Widget_Design_BottomSheet_Modal=0x7f0e0187; public static final int Widget_Design_CollapsingToolbar=0x7f0e0188; public static final int Widget_Design_CoordinatorLayout=0x7f0e0189; public static final int Widget_Design_FloatingActionButton=0x7f0e018a; public static final int Widget_Design_NavigationView=0x7f0e018b; public static final int Widget_Design_ScrimInsetsFrameLayout=0x7f0e018c; public static final int Widget_Design_Snackbar=0x7f0e018d; public static final int Widget_Design_TabLayout=0x7f0e018e; public static final int Widget_Design_TextInputLayout=0x7f0e018f; public static final int Widget_Support_CoordinatorLayout=0x7f0e0190; public static final int modalAnimations=0x7f0e0191; public static final int redboxButton=0x7f0e0192; } public static final class styleable { /** * Attributes that can be used with a AHBottomNavigationBehavior_Params. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_accentColor com.socero.loopmerchant:accentColor}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_colored com.socero.loopmerchant:colored}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_coloredActive com.socero.loopmerchant:coloredActive}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_coloredInactive com.socero.loopmerchant:coloredInactive}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_disableColor com.socero.loopmerchant:disableColor}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_inactiveColor com.socero.loopmerchant:inactiveColor}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_selectedBackgroundVisible com.socero.loopmerchant:selectedBackgroundVisible}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_tabLayoutId com.socero.loopmerchant:tabLayoutId}</code></td><td></td></tr> * <tr><td><code>{@link #AHBottomNavigationBehavior_Params_translucentNavigationEnabled com.socero.loopmerchant:translucentNavigationEnabled}</code></td><td></td></tr> * </table> * @see #AHBottomNavigationBehavior_Params_accentColor * @see #AHBottomNavigationBehavior_Params_colored * @see #AHBottomNavigationBehavior_Params_coloredActive * @see #AHBottomNavigationBehavior_Params_coloredInactive * @see #AHBottomNavigationBehavior_Params_disableColor * @see #AHBottomNavigationBehavior_Params_inactiveColor * @see #AHBottomNavigationBehavior_Params_selectedBackgroundVisible * @see #AHBottomNavigationBehavior_Params_tabLayoutId * @see #AHBottomNavigationBehavior_Params_translucentNavigationEnabled */ public static final int[] AHBottomNavigationBehavior_Params={ 0x7f040000, 0x7f04006a, 0x7f04006b, 0x7f04006c, 0x7f040080, 0x7f0400d3, 0x7f040163, 0x7f040185, 0x7f0401bb }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#accentColor} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:accentColor */ public static final int AHBottomNavigationBehavior_Params_accentColor=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colored} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:colored */ public static final int AHBottomNavigationBehavior_Params_colored=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#coloredActive} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:coloredActive */ public static final int AHBottomNavigationBehavior_Params_coloredActive=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#coloredInactive} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:coloredInactive */ public static final int AHBottomNavigationBehavior_Params_coloredInactive=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#disableColor} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:disableColor */ public static final int AHBottomNavigationBehavior_Params_disableColor=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#inactiveColor} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:inactiveColor */ public static final int AHBottomNavigationBehavior_Params_inactiveColor=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#selectedBackgroundVisible} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:selectedBackgroundVisible */ public static final int AHBottomNavigationBehavior_Params_selectedBackgroundVisible=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabLayoutId} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:tabLayoutId */ public static final int AHBottomNavigationBehavior_Params_tabLayoutId=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#translucentNavigationEnabled} * attribute's value can be found in the {@link #AHBottomNavigationBehavior_Params} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:translucentNavigationEnabled */ public static final int AHBottomNavigationBehavior_Params_translucentNavigationEnabled=8; /** * Attributes that can be used with a ActionBar. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionBar_background com.socero.loopmerchant:background}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_backgroundSplit com.socero.loopmerchant:backgroundSplit}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_backgroundStacked com.socero.loopmerchant:backgroundStacked}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_contentInsetEnd com.socero.loopmerchant:contentInsetEnd}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_contentInsetEndWithActions com.socero.loopmerchant:contentInsetEndWithActions}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_contentInsetLeft com.socero.loopmerchant:contentInsetLeft}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_contentInsetRight com.socero.loopmerchant:contentInsetRight}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_contentInsetStart com.socero.loopmerchant:contentInsetStart}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_contentInsetStartWithNavigation com.socero.loopmerchant:contentInsetStartWithNavigation}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_customNavigationLayout com.socero.loopmerchant:customNavigationLayout}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_displayOptions com.socero.loopmerchant:displayOptions}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_divider com.socero.loopmerchant:divider}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_elevation com.socero.loopmerchant:elevation}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_height com.socero.loopmerchant:height}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_hideOnContentScroll com.socero.loopmerchant:hideOnContentScroll}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_homeAsUpIndicator com.socero.loopmerchant:homeAsUpIndicator}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_homeLayout com.socero.loopmerchant:homeLayout}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_icon com.socero.loopmerchant:icon}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_indeterminateProgressStyle com.socero.loopmerchant:indeterminateProgressStyle}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_itemPadding com.socero.loopmerchant:itemPadding}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_logo com.socero.loopmerchant:logo}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_navigationMode com.socero.loopmerchant:navigationMode}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_popupTheme com.socero.loopmerchant:popupTheme}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_progressBarPadding com.socero.loopmerchant:progressBarPadding}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_progressBarStyle com.socero.loopmerchant:progressBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_subtitle com.socero.loopmerchant:subtitle}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_subtitleTextStyle com.socero.loopmerchant:subtitleTextStyle}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_title com.socero.loopmerchant:title}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_titleTextStyle com.socero.loopmerchant:titleTextStyle}</code></td><td></td></tr> * </table> * @see #ActionBar_background * @see #ActionBar_backgroundSplit * @see #ActionBar_backgroundStacked * @see #ActionBar_contentInsetEnd * @see #ActionBar_contentInsetEndWithActions * @see #ActionBar_contentInsetLeft * @see #ActionBar_contentInsetRight * @see #ActionBar_contentInsetStart * @see #ActionBar_contentInsetStartWithNavigation * @see #ActionBar_customNavigationLayout * @see #ActionBar_displayOptions * @see #ActionBar_divider * @see #ActionBar_elevation * @see #ActionBar_height * @see #ActionBar_hideOnContentScroll * @see #ActionBar_homeAsUpIndicator * @see #ActionBar_homeLayout * @see #ActionBar_icon * @see #ActionBar_indeterminateProgressStyle * @see #ActionBar_itemPadding * @see #ActionBar_logo * @see #ActionBar_navigationMode * @see #ActionBar_popupTheme * @see #ActionBar_progressBarPadding * @see #ActionBar_progressBarStyle * @see #ActionBar_subtitle * @see #ActionBar_subtitleTextStyle * @see #ActionBar_title * @see #ActionBar_titleTextStyle */ public static final int[] ActionBar={ 0x7f040038, 0x7f04003a, 0x7f04003b, 0x7f04006f, 0x7f040070, 0x7f040071, 0x7f040072, 0x7f040073, 0x7f040074, 0x7f04007c, 0x7f040081, 0x7f040082, 0x7f04008d, 0x7f0400c5, 0x7f0400c6, 0x7f0400ca, 0x7f0400cb, 0x7f0400cc, 0x7f0400d4, 0x7f0400da, 0x7f0400f5, 0x7f040125, 0x7f040138, 0x7f040140, 0x7f040141, 0x7f040177, 0x7f04017a, 0x7f0401a7, 0x7f0401b1 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#background} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:background */ public static final int ActionBar_background=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundSplit} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:backgroundSplit */ public static final int ActionBar_backgroundSplit=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundStacked} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:backgroundStacked */ public static final int ActionBar_backgroundStacked=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetEnd} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetEnd */ public static final int ActionBar_contentInsetEnd=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetEndWithActions} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetEndWithActions */ public static final int ActionBar_contentInsetEndWithActions=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetLeft} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetLeft */ public static final int ActionBar_contentInsetLeft=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetRight} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetRight */ public static final int ActionBar_contentInsetRight=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetStart} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetStart */ public static final int ActionBar_contentInsetStart=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetStartWithNavigation} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetStartWithNavigation */ public static final int ActionBar_contentInsetStartWithNavigation=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#customNavigationLayout} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:customNavigationLayout */ public static final int ActionBar_customNavigationLayout=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#displayOptions} * attribute's value can be found in the {@link #ActionBar} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>disableHome</td><td>20</td><td></td></tr> * <tr><td>homeAsUp</td><td>4</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>showCustom</td><td>10</td><td></td></tr> * <tr><td>showHome</td><td>2</td><td></td></tr> * <tr><td>showTitle</td><td>8</td><td></td></tr> * <tr><td>useLogo</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:displayOptions */ public static final int ActionBar_displayOptions=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#divider} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:divider */ public static final int ActionBar_divider=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#elevation} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:elevation */ public static final int ActionBar_elevation=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#height} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:height */ public static final int ActionBar_height=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#hideOnContentScroll} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:hideOnContentScroll */ public static final int ActionBar_hideOnContentScroll=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#homeAsUpIndicator} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:homeAsUpIndicator */ public static final int ActionBar_homeAsUpIndicator=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#homeLayout} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:homeLayout */ public static final int ActionBar_homeLayout=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#icon} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:icon */ public static final int ActionBar_icon=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#indeterminateProgressStyle} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:indeterminateProgressStyle */ public static final int ActionBar_indeterminateProgressStyle=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemPadding} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:itemPadding */ public static final int ActionBar_itemPadding=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#logo} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:logo */ public static final int ActionBar_logo=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#navigationMode} * attribute's value can be found in the {@link #ActionBar} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>listMode</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * <tr><td>tabMode</td><td>2</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:navigationMode */ public static final int ActionBar_navigationMode=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#popupTheme} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:popupTheme */ public static final int ActionBar_popupTheme=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarPadding} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:progressBarPadding */ public static final int ActionBar_progressBarPadding=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarStyle} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:progressBarStyle */ public static final int ActionBar_progressBarStyle=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subtitle} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:subtitle */ public static final int ActionBar_subtitle=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subtitleTextStyle} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:subtitleTextStyle */ public static final int ActionBar_subtitleTextStyle=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#title} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:title */ public static final int ActionBar_title=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleTextStyle} * attribute's value can be found in the {@link #ActionBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:titleTextStyle */ public static final int ActionBar_titleTextStyle=28; /** * Attributes that can be used with a ActionBarLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionBarLayout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> * </table> * @see #ActionBarLayout_android_layout_gravity */ public static final int[] ActionBarLayout={ 0x010100b3 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} * attribute's value can be found in the {@link #ActionBarLayout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:layout_gravity */ public static final int ActionBarLayout_android_layout_gravity=0; /** * Attributes that can be used with a ActionMenuItemView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionMenuItemView_android_minWidth android:minWidth}</code></td><td></td></tr> * </table> * @see #ActionMenuItemView_android_minWidth */ public static final int[] ActionMenuItemView={ 0x0101013f }; /** * <p>This symbol is the offset where the {@link android.R.attr#minWidth} * attribute's value can be found in the {@link #ActionMenuItemView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:minWidth */ public static final int ActionMenuItemView_android_minWidth=0; public static final int[] ActionMenuView={ }; /** * Attributes that can be used with a ActionMode. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionMode_background com.socero.loopmerchant:background}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_backgroundSplit com.socero.loopmerchant:backgroundSplit}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_closeItemLayout com.socero.loopmerchant:closeItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_height com.socero.loopmerchant:height}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_subtitleTextStyle com.socero.loopmerchant:subtitleTextStyle}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_titleTextStyle com.socero.loopmerchant:titleTextStyle}</code></td><td></td></tr> * </table> * @see #ActionMode_background * @see #ActionMode_backgroundSplit * @see #ActionMode_closeItemLayout * @see #ActionMode_height * @see #ActionMode_subtitleTextStyle * @see #ActionMode_titleTextStyle */ public static final int[] ActionMode={ 0x7f040038, 0x7f04003a, 0x7f040059, 0x7f0400c5, 0x7f04017a, 0x7f0401b1 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#background} * attribute's value can be found in the {@link #ActionMode} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:background */ public static final int ActionMode_background=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundSplit} * attribute's value can be found in the {@link #ActionMode} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:backgroundSplit */ public static final int ActionMode_backgroundSplit=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#closeItemLayout} * attribute's value can be found in the {@link #ActionMode} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:closeItemLayout */ public static final int ActionMode_closeItemLayout=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#height} * attribute's value can be found in the {@link #ActionMode} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:height */ public static final int ActionMode_height=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subtitleTextStyle} * attribute's value can be found in the {@link #ActionMode} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:subtitleTextStyle */ public static final int ActionMode_subtitleTextStyle=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleTextStyle} * attribute's value can be found in the {@link #ActionMode} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:titleTextStyle */ public static final int ActionMode_titleTextStyle=5; /** * Attributes that can be used with a ActivityChooserView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActivityChooserView_expandActivityOverflowButtonDrawable com.socero.loopmerchant:expandActivityOverflowButtonDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #ActivityChooserView_initialActivityCount com.socero.loopmerchant:initialActivityCount}</code></td><td></td></tr> * </table> * @see #ActivityChooserView_expandActivityOverflowButtonDrawable * @see #ActivityChooserView_initialActivityCount */ public static final int[] ActivityChooserView={ 0x7f040090, 0x7f0400d5 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandActivityOverflowButtonDrawable} * attribute's value can be found in the {@link #ActivityChooserView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:expandActivityOverflowButtonDrawable */ public static final int ActivityChooserView_expandActivityOverflowButtonDrawable=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#initialActivityCount} * attribute's value can be found in the {@link #ActivityChooserView} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:initialActivityCount */ public static final int ActivityChooserView_initialActivityCount=1; /** * Attributes that can be used with a AdsAttrs. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AdsAttrs_adSize com.socero.loopmerchant:adSize}</code></td><td></td></tr> * <tr><td><code>{@link #AdsAttrs_adSizes com.socero.loopmerchant:adSizes}</code></td><td></td></tr> * <tr><td><code>{@link #AdsAttrs_adUnitId com.socero.loopmerchant:adUnitId}</code></td><td></td></tr> * </table> * @see #AdsAttrs_adSize * @see #AdsAttrs_adSizes * @see #AdsAttrs_adUnitId */ public static final int[] AdsAttrs={ 0x7f040026, 0x7f040027, 0x7f040028 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#adSize} * attribute's value can be found in the {@link #AdsAttrs} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:adSize */ public static final int AdsAttrs_adSize=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#adSizes} * attribute's value can be found in the {@link #AdsAttrs} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:adSizes */ public static final int AdsAttrs_adSizes=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#adUnitId} * attribute's value can be found in the {@link #AdsAttrs} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:adUnitId */ public static final int AdsAttrs_adUnitId=2; /** * Attributes that can be used with a AlertDialog. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AlertDialog_android_layout android:layout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_buttonIconDimen com.socero.loopmerchant:buttonIconDimen}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_buttonPanelSideLayout com.socero.loopmerchant:buttonPanelSideLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_listItemLayout com.socero.loopmerchant:listItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_listLayout com.socero.loopmerchant:listLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_multiChoiceItemLayout com.socero.loopmerchant:multiChoiceItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_showTitle com.socero.loopmerchant:showTitle}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_singleChoiceItemLayout com.socero.loopmerchant:singleChoiceItemLayout}</code></td><td></td></tr> * </table> * @see #AlertDialog_android_layout * @see #AlertDialog_buttonIconDimen * @see #AlertDialog_buttonPanelSideLayout * @see #AlertDialog_listItemLayout * @see #AlertDialog_listLayout * @see #AlertDialog_multiChoiceItemLayout * @see #AlertDialog_showTitle * @see #AlertDialog_singleChoiceItemLayout */ public static final int[] AlertDialog={ 0x010100f2, 0x7f04004e, 0x7f04004f, 0x7f0400ec, 0x7f0400ed, 0x7f040122, 0x7f040167, 0x7f040168 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:layout */ public static final int AlertDialog_android_layout=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonIconDimen} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:buttonIconDimen */ public static final int AlertDialog_buttonIconDimen=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonPanelSideLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonPanelSideLayout */ public static final int AlertDialog_buttonPanelSideLayout=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listItemLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:listItemLayout */ public static final int AlertDialog_listItemLayout=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:listLayout */ public static final int AlertDialog_listLayout=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#multiChoiceItemLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:multiChoiceItemLayout */ public static final int AlertDialog_multiChoiceItemLayout=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#showTitle} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:showTitle */ public static final int AlertDialog_showTitle=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#singleChoiceItemLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:singleChoiceItemLayout */ public static final int AlertDialog_singleChoiceItemLayout=7; /** * Attributes that can be used with a AppBarLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppBarLayout_android_background android:background}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_android_touchscreenBlocksFocus android:touchscreenBlocksFocus}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_android_keyboardNavigationCluster android:keyboardNavigationCluster}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_elevation com.socero.loopmerchant:elevation}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_expanded com.socero.loopmerchant:expanded}</code></td><td></td></tr> * </table> * @see #AppBarLayout_android_background * @see #AppBarLayout_android_touchscreenBlocksFocus * @see #AppBarLayout_android_keyboardNavigationCluster * @see #AppBarLayout_elevation * @see #AppBarLayout_expanded */ public static final int[] AppBarLayout={ 0x010100d4, 0x0101048f, 0x01010540, 0x7f04008d, 0x7f040091 }; /** * <p>This symbol is the offset where the {@link android.R.attr#background} * attribute's value can be found in the {@link #AppBarLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:background */ public static final int AppBarLayout_android_background=0; /** * <p>This symbol is the offset where the {@link android.R.attr#touchscreenBlocksFocus} * attribute's value can be found in the {@link #AppBarLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:touchscreenBlocksFocus */ public static final int AppBarLayout_android_touchscreenBlocksFocus=1; /** * <p>This symbol is the offset where the {@link android.R.attr#keyboardNavigationCluster} * attribute's value can be found in the {@link #AppBarLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:keyboardNavigationCluster */ public static final int AppBarLayout_android_keyboardNavigationCluster=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#elevation} * attribute's value can be found in the {@link #AppBarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:elevation */ public static final int AppBarLayout_elevation=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expanded} * attribute's value can be found in the {@link #AppBarLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:expanded */ public static final int AppBarLayout_expanded=4; /** * Attributes that can be used with a AppBarLayoutStates. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppBarLayoutStates_state_collapsed com.socero.loopmerchant:state_collapsed}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayoutStates_state_collapsible com.socero.loopmerchant:state_collapsible}</code></td><td></td></tr> * </table> * @see #AppBarLayoutStates_state_collapsed * @see #AppBarLayoutStates_state_collapsible */ public static final int[] AppBarLayoutStates={ 0x7f040171, 0x7f040172 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#state_collapsed} * attribute's value can be found in the {@link #AppBarLayoutStates} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:state_collapsed */ public static final int AppBarLayoutStates_state_collapsed=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#state_collapsible} * attribute's value can be found in the {@link #AppBarLayoutStates} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:state_collapsible */ public static final int AppBarLayoutStates_state_collapsible=1; /** * Attributes that can be used with a AppBarLayout_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppBarLayout_Layout_layout_scrollFlags com.socero.loopmerchant:layout_scrollFlags}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_Layout_layout_scrollInterpolator com.socero.loopmerchant:layout_scrollInterpolator}</code></td><td></td></tr> * </table> * @see #AppBarLayout_Layout_layout_scrollFlags * @see #AppBarLayout_Layout_layout_scrollInterpolator */ public static final int[] AppBarLayout_Layout={ 0x7f0400e8, 0x7f0400e9 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_scrollFlags} * attribute's value can be found in the {@link #AppBarLayout_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>enterAlways</td><td>4</td><td></td></tr> * <tr><td>enterAlwaysCollapsed</td><td>8</td><td></td></tr> * <tr><td>exitUntilCollapsed</td><td>2</td><td></td></tr> * <tr><td>scroll</td><td>1</td><td></td></tr> * <tr><td>snap</td><td>10</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:layout_scrollFlags */ public static final int AppBarLayout_Layout_layout_scrollFlags=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_scrollInterpolator} * attribute's value can be found in the {@link #AppBarLayout_Layout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:layout_scrollInterpolator */ public static final int AppBarLayout_Layout_layout_scrollInterpolator=1; /** * Attributes that can be used with a AppCompatImageView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatImageView_android_src android:src}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatImageView_srcCompat com.socero.loopmerchant:srcCompat}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatImageView_tint com.socero.loopmerchant:tint}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatImageView_tintMode com.socero.loopmerchant:tintMode}</code></td><td></td></tr> * </table> * @see #AppCompatImageView_android_src * @see #AppCompatImageView_srcCompat * @see #AppCompatImageView_tint * @see #AppCompatImageView_tintMode */ public static final int[] AppCompatImageView={ 0x01010119, 0x7f04016e, 0x7f0401a5, 0x7f0401a6 }; /** * <p>This symbol is the offset where the {@link android.R.attr#src} * attribute's value can be found in the {@link #AppCompatImageView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:src */ public static final int AppCompatImageView_android_src=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#srcCompat} * attribute's value can be found in the {@link #AppCompatImageView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:srcCompat */ public static final int AppCompatImageView_srcCompat=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tint} * attribute's value can be found in the {@link #AppCompatImageView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:tint */ public static final int AppCompatImageView_tint=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tintMode} * attribute's value can be found in the {@link #AppCompatImageView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:tintMode */ public static final int AppCompatImageView_tintMode=3; /** * Attributes that can be used with a AppCompatSeekBar. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatSeekBar_android_thumb android:thumb}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMark com.socero.loopmerchant:tickMark}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMarkTint com.socero.loopmerchant:tickMarkTint}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMarkTintMode com.socero.loopmerchant:tickMarkTintMode}</code></td><td></td></tr> * </table> * @see #AppCompatSeekBar_android_thumb * @see #AppCompatSeekBar_tickMark * @see #AppCompatSeekBar_tickMarkTint * @see #AppCompatSeekBar_tickMarkTintMode */ public static final int[] AppCompatSeekBar={ 0x01010142, 0x7f0401a2, 0x7f0401a3, 0x7f0401a4 }; /** * <p>This symbol is the offset where the {@link android.R.attr#thumb} * attribute's value can be found in the {@link #AppCompatSeekBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:thumb */ public static final int AppCompatSeekBar_android_thumb=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tickMark} * attribute's value can be found in the {@link #AppCompatSeekBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:tickMark */ public static final int AppCompatSeekBar_tickMark=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tickMarkTint} * attribute's value can be found in the {@link #AppCompatSeekBar} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:tickMarkTint */ public static final int AppCompatSeekBar_tickMarkTint=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tickMarkTintMode} * attribute's value can be found in the {@link #AppCompatSeekBar} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:tickMarkTintMode */ public static final int AppCompatSeekBar_tickMarkTintMode=3; /** * Attributes that can be used with a AppCompatTextHelper. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_textAppearance android:textAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableTop android:drawableTop}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableBottom android:drawableBottom}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableLeft android:drawableLeft}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableRight android:drawableRight}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableStart android:drawableStart}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableEnd android:drawableEnd}</code></td><td></td></tr> * </table> * @see #AppCompatTextHelper_android_textAppearance * @see #AppCompatTextHelper_android_drawableTop * @see #AppCompatTextHelper_android_drawableBottom * @see #AppCompatTextHelper_android_drawableLeft * @see #AppCompatTextHelper_android_drawableRight * @see #AppCompatTextHelper_android_drawableStart * @see #AppCompatTextHelper_android_drawableEnd */ public static final int[] AppCompatTextHelper={ 0x01010034, 0x0101016d, 0x0101016e, 0x0101016f, 0x01010170, 0x01010392, 0x01010393 }; /** * <p>This symbol is the offset where the {@link android.R.attr#textAppearance} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:textAppearance */ public static final int AppCompatTextHelper_android_textAppearance=0; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableTop} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableTop */ public static final int AppCompatTextHelper_android_drawableTop=1; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableBottom} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableBottom */ public static final int AppCompatTextHelper_android_drawableBottom=2; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableLeft} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableLeft */ public static final int AppCompatTextHelper_android_drawableLeft=3; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableRight} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableRight */ public static final int AppCompatTextHelper_android_drawableRight=4; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableStart} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableStart */ public static final int AppCompatTextHelper_android_drawableStart=5; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableEnd} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableEnd */ public static final int AppCompatTextHelper_android_drawableEnd=6; /** * Attributes that can be used with a AppCompatTextView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatTextView_android_textAppearance android:textAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeMaxTextSize com.socero.loopmerchant:autoSizeMaxTextSize}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeMinTextSize com.socero.loopmerchant:autoSizeMinTextSize}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizePresetSizes com.socero.loopmerchant:autoSizePresetSizes}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeStepGranularity com.socero.loopmerchant:autoSizeStepGranularity}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeTextType com.socero.loopmerchant:autoSizeTextType}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_fontFamily com.socero.loopmerchant:fontFamily}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_textAllCaps com.socero.loopmerchant:textAllCaps}</code></td><td></td></tr> * </table> * @see #AppCompatTextView_android_textAppearance * @see #AppCompatTextView_autoSizeMaxTextSize * @see #AppCompatTextView_autoSizeMinTextSize * @see #AppCompatTextView_autoSizePresetSizes * @see #AppCompatTextView_autoSizeStepGranularity * @see #AppCompatTextView_autoSizeTextType * @see #AppCompatTextView_fontFamily * @see #AppCompatTextView_textAllCaps */ public static final int[] AppCompatTextView={ 0x01010034, 0x7f040033, 0x7f040034, 0x7f040035, 0x7f040036, 0x7f040037, 0x7f0400b8, 0x7f040191 }; /** * <p>This symbol is the offset where the {@link android.R.attr#textAppearance} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:textAppearance */ public static final int AppCompatTextView_android_textAppearance=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#autoSizeMaxTextSize} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:autoSizeMaxTextSize */ public static final int AppCompatTextView_autoSizeMaxTextSize=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#autoSizeMinTextSize} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:autoSizeMinTextSize */ public static final int AppCompatTextView_autoSizeMinTextSize=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#autoSizePresetSizes} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:autoSizePresetSizes */ public static final int AppCompatTextView_autoSizePresetSizes=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#autoSizeStepGranularity} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:autoSizeStepGranularity */ public static final int AppCompatTextView_autoSizeStepGranularity=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#autoSizeTextType} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>uniform</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:autoSizeTextType */ public static final int AppCompatTextView_autoSizeTextType=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontFamily} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:fontFamily */ public static final int AppCompatTextView_fontFamily=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAllCaps} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:textAllCaps */ public static final int AppCompatTextView_textAllCaps=7; /** * Attributes that can be used with a AppCompatTheme. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatTheme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarDivider com.socero.loopmerchant:actionBarDivider}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarItemBackground com.socero.loopmerchant:actionBarItemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarPopupTheme com.socero.loopmerchant:actionBarPopupTheme}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarSize com.socero.loopmerchant:actionBarSize}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarSplitStyle com.socero.loopmerchant:actionBarSplitStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarStyle com.socero.loopmerchant:actionBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabBarStyle com.socero.loopmerchant:actionBarTabBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabStyle com.socero.loopmerchant:actionBarTabStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabTextStyle com.socero.loopmerchant:actionBarTabTextStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTheme com.socero.loopmerchant:actionBarTheme}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarWidgetTheme com.socero.loopmerchant:actionBarWidgetTheme}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionButtonStyle com.socero.loopmerchant:actionButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionDropDownStyle com.socero.loopmerchant:actionDropDownStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionMenuTextAppearance com.socero.loopmerchant:actionMenuTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionMenuTextColor com.socero.loopmerchant:actionMenuTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeBackground com.socero.loopmerchant:actionModeBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCloseButtonStyle com.socero.loopmerchant:actionModeCloseButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCloseDrawable com.socero.loopmerchant:actionModeCloseDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCopyDrawable com.socero.loopmerchant:actionModeCopyDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCutDrawable com.socero.loopmerchant:actionModeCutDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeFindDrawable com.socero.loopmerchant:actionModeFindDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModePasteDrawable com.socero.loopmerchant:actionModePasteDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModePopupWindowStyle com.socero.loopmerchant:actionModePopupWindowStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeSelectAllDrawable com.socero.loopmerchant:actionModeSelectAllDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeShareDrawable com.socero.loopmerchant:actionModeShareDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeSplitBackground com.socero.loopmerchant:actionModeSplitBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeStyle com.socero.loopmerchant:actionModeStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeWebSearchDrawable com.socero.loopmerchant:actionModeWebSearchDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionOverflowButtonStyle com.socero.loopmerchant:actionOverflowButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionOverflowMenuStyle com.socero.loopmerchant:actionOverflowMenuStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_activityChooserViewStyle com.socero.loopmerchant:activityChooserViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogButtonGroupStyle com.socero.loopmerchant:alertDialogButtonGroupStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogCenterButtons com.socero.loopmerchant:alertDialogCenterButtons}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogStyle com.socero.loopmerchant:alertDialogStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogTheme com.socero.loopmerchant:alertDialogTheme}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_autoCompleteTextViewStyle com.socero.loopmerchant:autoCompleteTextViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_borderlessButtonStyle com.socero.loopmerchant:borderlessButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarButtonStyle com.socero.loopmerchant:buttonBarButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarNegativeButtonStyle com.socero.loopmerchant:buttonBarNegativeButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarNeutralButtonStyle com.socero.loopmerchant:buttonBarNeutralButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarPositiveButtonStyle com.socero.loopmerchant:buttonBarPositiveButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarStyle com.socero.loopmerchant:buttonBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonStyle com.socero.loopmerchant:buttonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonStyleSmall com.socero.loopmerchant:buttonStyleSmall}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_checkboxStyle com.socero.loopmerchant:checkboxStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_checkedTextViewStyle com.socero.loopmerchant:checkedTextViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorAccent com.socero.loopmerchant:colorAccent}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorBackgroundFloating com.socero.loopmerchant:colorBackgroundFloating}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorButtonNormal com.socero.loopmerchant:colorButtonNormal}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlActivated com.socero.loopmerchant:colorControlActivated}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlHighlight com.socero.loopmerchant:colorControlHighlight}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlNormal com.socero.loopmerchant:colorControlNormal}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorError com.socero.loopmerchant:colorError}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorPrimary com.socero.loopmerchant:colorPrimary}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorPrimaryDark com.socero.loopmerchant:colorPrimaryDark}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_colorSwitchThumbNormal com.socero.loopmerchant:colorSwitchThumbNormal}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_controlBackground com.socero.loopmerchant:controlBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogPreferredPadding com.socero.loopmerchant:dialogPreferredPadding}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogTheme com.socero.loopmerchant:dialogTheme}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_dividerHorizontal com.socero.loopmerchant:dividerHorizontal}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_dividerVertical com.socero.loopmerchant:dividerVertical}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_dropDownListViewStyle com.socero.loopmerchant:dropDownListViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_dropdownListPreferredItemHeight com.socero.loopmerchant:dropdownListPreferredItemHeight}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextBackground com.socero.loopmerchant:editTextBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextColor com.socero.loopmerchant:editTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextStyle com.socero.loopmerchant:editTextStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_homeAsUpIndicator com.socero.loopmerchant:homeAsUpIndicator}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_imageButtonStyle com.socero.loopmerchant:imageButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listChoiceBackgroundIndicator com.socero.loopmerchant:listChoiceBackgroundIndicator}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listDividerAlertDialog com.socero.loopmerchant:listDividerAlertDialog}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listMenuViewStyle com.socero.loopmerchant:listMenuViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPopupWindowStyle com.socero.loopmerchant:listPopupWindowStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeight com.socero.loopmerchant:listPreferredItemHeight}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightLarge com.socero.loopmerchant:listPreferredItemHeightLarge}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightSmall com.socero.loopmerchant:listPreferredItemHeightSmall}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingLeft com.socero.loopmerchant:listPreferredItemPaddingLeft}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingRight com.socero.loopmerchant:listPreferredItemPaddingRight}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_panelBackground com.socero.loopmerchant:panelBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_panelMenuListTheme com.socero.loopmerchant:panelMenuListTheme}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_panelMenuListWidth com.socero.loopmerchant:panelMenuListWidth}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_popupMenuStyle com.socero.loopmerchant:popupMenuStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_popupWindowStyle com.socero.loopmerchant:popupWindowStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_radioButtonStyle com.socero.loopmerchant:radioButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyle com.socero.loopmerchant:ratingBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyleIndicator com.socero.loopmerchant:ratingBarStyleIndicator}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyleSmall com.socero.loopmerchant:ratingBarStyleSmall}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_searchViewStyle com.socero.loopmerchant:searchViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_seekBarStyle com.socero.loopmerchant:seekBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_selectableItemBackground com.socero.loopmerchant:selectableItemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_selectableItemBackgroundBorderless com.socero.loopmerchant:selectableItemBackgroundBorderless}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_spinnerDropDownItemStyle com.socero.loopmerchant:spinnerDropDownItemStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_spinnerStyle com.socero.loopmerchant:spinnerStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_switchStyle com.socero.loopmerchant:switchStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceLargePopupMenu com.socero.loopmerchant:textAppearanceLargePopupMenu}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItem com.socero.loopmerchant:textAppearanceListItem}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSecondary com.socero.loopmerchant:textAppearanceListItemSecondary}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSmall com.socero.loopmerchant:textAppearanceListItemSmall}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearancePopupMenuHeader com.socero.loopmerchant:textAppearancePopupMenuHeader}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultSubtitle com.socero.loopmerchant:textAppearanceSearchResultSubtitle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultTitle com.socero.loopmerchant:textAppearanceSearchResultTitle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSmallPopupMenu com.socero.loopmerchant:textAppearanceSmallPopupMenu}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textColorAlertDialogListItem com.socero.loopmerchant:textColorAlertDialogListItem}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_textColorSearchUrl com.socero.loopmerchant:textColorSearchUrl}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_toolbarNavigationButtonStyle com.socero.loopmerchant:toolbarNavigationButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_toolbarStyle com.socero.loopmerchant:toolbarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_tooltipForegroundColor com.socero.loopmerchant:tooltipForegroundColor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_tooltipFrameBackground com.socero.loopmerchant:tooltipFrameBackground}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_viewInflaterClass com.socero.loopmerchant:viewInflaterClass}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionBar com.socero.loopmerchant:windowActionBar}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionBarOverlay com.socero.loopmerchant:windowActionBarOverlay}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionModeOverlay com.socero.loopmerchant:windowActionModeOverlay}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMajor com.socero.loopmerchant:windowFixedHeightMajor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMinor com.socero.loopmerchant:windowFixedHeightMinor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMajor com.socero.loopmerchant:windowFixedWidthMajor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMinor com.socero.loopmerchant:windowFixedWidthMinor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowMinWidthMajor com.socero.loopmerchant:windowMinWidthMajor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowMinWidthMinor com.socero.loopmerchant:windowMinWidthMinor}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowNoTitle com.socero.loopmerchant:windowNoTitle}</code></td><td></td></tr> * </table> * @see #AppCompatTheme_android_windowIsFloating * @see #AppCompatTheme_android_windowAnimationStyle * @see #AppCompatTheme_actionBarDivider * @see #AppCompatTheme_actionBarItemBackground * @see #AppCompatTheme_actionBarPopupTheme * @see #AppCompatTheme_actionBarSize * @see #AppCompatTheme_actionBarSplitStyle * @see #AppCompatTheme_actionBarStyle * @see #AppCompatTheme_actionBarTabBarStyle * @see #AppCompatTheme_actionBarTabStyle * @see #AppCompatTheme_actionBarTabTextStyle * @see #AppCompatTheme_actionBarTheme * @see #AppCompatTheme_actionBarWidgetTheme * @see #AppCompatTheme_actionButtonStyle * @see #AppCompatTheme_actionDropDownStyle * @see #AppCompatTheme_actionMenuTextAppearance * @see #AppCompatTheme_actionMenuTextColor * @see #AppCompatTheme_actionModeBackground * @see #AppCompatTheme_actionModeCloseButtonStyle * @see #AppCompatTheme_actionModeCloseDrawable * @see #AppCompatTheme_actionModeCopyDrawable * @see #AppCompatTheme_actionModeCutDrawable * @see #AppCompatTheme_actionModeFindDrawable * @see #AppCompatTheme_actionModePasteDrawable * @see #AppCompatTheme_actionModePopupWindowStyle * @see #AppCompatTheme_actionModeSelectAllDrawable * @see #AppCompatTheme_actionModeShareDrawable * @see #AppCompatTheme_actionModeSplitBackground * @see #AppCompatTheme_actionModeStyle * @see #AppCompatTheme_actionModeWebSearchDrawable * @see #AppCompatTheme_actionOverflowButtonStyle * @see #AppCompatTheme_actionOverflowMenuStyle * @see #AppCompatTheme_activityChooserViewStyle * @see #AppCompatTheme_alertDialogButtonGroupStyle * @see #AppCompatTheme_alertDialogCenterButtons * @see #AppCompatTheme_alertDialogStyle * @see #AppCompatTheme_alertDialogTheme * @see #AppCompatTheme_autoCompleteTextViewStyle * @see #AppCompatTheme_borderlessButtonStyle * @see #AppCompatTheme_buttonBarButtonStyle * @see #AppCompatTheme_buttonBarNegativeButtonStyle * @see #AppCompatTheme_buttonBarNeutralButtonStyle * @see #AppCompatTheme_buttonBarPositiveButtonStyle * @see #AppCompatTheme_buttonBarStyle * @see #AppCompatTheme_buttonStyle * @see #AppCompatTheme_buttonStyleSmall * @see #AppCompatTheme_checkboxStyle * @see #AppCompatTheme_checkedTextViewStyle * @see #AppCompatTheme_colorAccent * @see #AppCompatTheme_colorBackgroundFloating * @see #AppCompatTheme_colorButtonNormal * @see #AppCompatTheme_colorControlActivated * @see #AppCompatTheme_colorControlHighlight * @see #AppCompatTheme_colorControlNormal * @see #AppCompatTheme_colorError * @see #AppCompatTheme_colorPrimary * @see #AppCompatTheme_colorPrimaryDark * @see #AppCompatTheme_colorSwitchThumbNormal * @see #AppCompatTheme_controlBackground * @see #AppCompatTheme_dialogPreferredPadding * @see #AppCompatTheme_dialogTheme * @see #AppCompatTheme_dividerHorizontal * @see #AppCompatTheme_dividerVertical * @see #AppCompatTheme_dropDownListViewStyle * @see #AppCompatTheme_dropdownListPreferredItemHeight * @see #AppCompatTheme_editTextBackground * @see #AppCompatTheme_editTextColor * @see #AppCompatTheme_editTextStyle * @see #AppCompatTheme_homeAsUpIndicator * @see #AppCompatTheme_imageButtonStyle * @see #AppCompatTheme_listChoiceBackgroundIndicator * @see #AppCompatTheme_listDividerAlertDialog * @see #AppCompatTheme_listMenuViewStyle * @see #AppCompatTheme_listPopupWindowStyle * @see #AppCompatTheme_listPreferredItemHeight * @see #AppCompatTheme_listPreferredItemHeightLarge * @see #AppCompatTheme_listPreferredItemHeightSmall * @see #AppCompatTheme_listPreferredItemPaddingLeft * @see #AppCompatTheme_listPreferredItemPaddingRight * @see #AppCompatTheme_panelBackground * @see #AppCompatTheme_panelMenuListTheme * @see #AppCompatTheme_panelMenuListWidth * @see #AppCompatTheme_popupMenuStyle * @see #AppCompatTheme_popupWindowStyle * @see #AppCompatTheme_radioButtonStyle * @see #AppCompatTheme_ratingBarStyle * @see #AppCompatTheme_ratingBarStyleIndicator * @see #AppCompatTheme_ratingBarStyleSmall * @see #AppCompatTheme_searchViewStyle * @see #AppCompatTheme_seekBarStyle * @see #AppCompatTheme_selectableItemBackground * @see #AppCompatTheme_selectableItemBackgroundBorderless * @see #AppCompatTheme_spinnerDropDownItemStyle * @see #AppCompatTheme_spinnerStyle * @see #AppCompatTheme_switchStyle * @see #AppCompatTheme_textAppearanceLargePopupMenu * @see #AppCompatTheme_textAppearanceListItem * @see #AppCompatTheme_textAppearanceListItemSecondary * @see #AppCompatTheme_textAppearanceListItemSmall * @see #AppCompatTheme_textAppearancePopupMenuHeader * @see #AppCompatTheme_textAppearanceSearchResultSubtitle * @see #AppCompatTheme_textAppearanceSearchResultTitle * @see #AppCompatTheme_textAppearanceSmallPopupMenu * @see #AppCompatTheme_textColorAlertDialogListItem * @see #AppCompatTheme_textColorSearchUrl * @see #AppCompatTheme_toolbarNavigationButtonStyle * @see #AppCompatTheme_toolbarStyle * @see #AppCompatTheme_tooltipForegroundColor * @see #AppCompatTheme_tooltipFrameBackground * @see #AppCompatTheme_viewInflaterClass * @see #AppCompatTheme_windowActionBar * @see #AppCompatTheme_windowActionBarOverlay * @see #AppCompatTheme_windowActionModeOverlay * @see #AppCompatTheme_windowFixedHeightMajor * @see #AppCompatTheme_windowFixedHeightMinor * @see #AppCompatTheme_windowFixedWidthMajor * @see #AppCompatTheme_windowFixedWidthMinor * @see #AppCompatTheme_windowMinWidthMajor * @see #AppCompatTheme_windowMinWidthMinor * @see #AppCompatTheme_windowNoTitle */ public static final int[] AppCompatTheme={ 0x01010057, 0x010100ae, 0x7f040001, 0x7f040002, 0x7f040003, 0x7f040004, 0x7f040005, 0x7f040006, 0x7f040007, 0x7f040008, 0x7f040009, 0x7f04000a, 0x7f04000b, 0x7f04000c, 0x7f04000d, 0x7f04000f, 0x7f040010, 0x7f040011, 0x7f040012, 0x7f040013, 0x7f040014, 0x7f040015, 0x7f040016, 0x7f040017, 0x7f040018, 0x7f040019, 0x7f04001a, 0x7f04001b, 0x7f04001c, 0x7f04001d, 0x7f04001e, 0x7f04001f, 0x7f040022, 0x7f040029, 0x7f04002a, 0x7f04002b, 0x7f04002c, 0x7f040032, 0x7f040045, 0x7f040048, 0x7f040049, 0x7f04004a, 0x7f04004b, 0x7f04004c, 0x7f040051, 0x7f040052, 0x7f040055, 0x7f040056, 0x7f04005f, 0x7f040060, 0x7f040061, 0x7f040062, 0x7f040063, 0x7f040064, 0x7f040065, 0x7f040066, 0x7f040067, 0x7f040069, 0x7f040076, 0x7f04007e, 0x7f04007f, 0x7f040083, 0x7f040085, 0x7f040088, 0x7f040089, 0x7f04008a, 0x7f04008b, 0x7f04008c, 0x7f0400ca, 0x7f0400d2, 0x7f0400ea, 0x7f0400eb, 0x7f0400ee, 0x7f0400ef, 0x7f0400f0, 0x7f0400f1, 0x7f0400f2, 0x7f0400f3, 0x7f0400f4, 0x7f04012d, 0x7f04012e, 0x7f04012f, 0x7f040137, 0x7f040139, 0x7f040144, 0x7f040145, 0x7f040146, 0x7f040147, 0x7f04015f, 0x7f040160, 0x7f040161, 0x7f040162, 0x7f04016b, 0x7f04016c, 0x7f04017e, 0x7f040192, 0x7f040193, 0x7f040194, 0x7f040195, 0x7f040196, 0x7f040197, 0x7f040198, 0x7f040199, 0x7f04019a, 0x7f04019c, 0x7f0401b3, 0x7f0401b4, 0x7f0401b5, 0x7f0401b6, 0x7f0401be, 0x7f0401c0, 0x7f0401c1, 0x7f0401c2, 0x7f0401c3, 0x7f0401c4, 0x7f0401c5, 0x7f0401c6, 0x7f0401c7, 0x7f0401c8, 0x7f0401c9 }; /** * <p>This symbol is the offset where the {@link android.R.attr#windowIsFloating} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:windowIsFloating */ public static final int AppCompatTheme_android_windowIsFloating=0; /** * <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:windowAnimationStyle */ public static final int AppCompatTheme_android_windowAnimationStyle=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarDivider} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarDivider */ public static final int AppCompatTheme_actionBarDivider=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarItemBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarItemBackground */ public static final int AppCompatTheme_actionBarItemBackground=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarPopupTheme} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarPopupTheme */ public static final int AppCompatTheme_actionBarPopupTheme=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarSize} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>wrap_content</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:actionBarSize */ public static final int AppCompatTheme_actionBarSize=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarSplitStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarSplitStyle */ public static final int AppCompatTheme_actionBarSplitStyle=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarStyle */ public static final int AppCompatTheme_actionBarStyle=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarTabBarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarTabBarStyle */ public static final int AppCompatTheme_actionBarTabBarStyle=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarTabStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarTabStyle */ public static final int AppCompatTheme_actionBarTabStyle=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarTabTextStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarTabTextStyle */ public static final int AppCompatTheme_actionBarTabTextStyle=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarTheme} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarTheme */ public static final int AppCompatTheme_actionBarTheme=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionBarWidgetTheme} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionBarWidgetTheme */ public static final int AppCompatTheme_actionBarWidgetTheme=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionButtonStyle */ public static final int AppCompatTheme_actionButtonStyle=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionDropDownStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionDropDownStyle */ public static final int AppCompatTheme_actionDropDownStyle=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionMenuTextAppearance} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionMenuTextAppearance */ public static final int AppCompatTheme_actionMenuTextAppearance=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionMenuTextColor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:actionMenuTextColor */ public static final int AppCompatTheme_actionMenuTextColor=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeBackground */ public static final int AppCompatTheme_actionModeBackground=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeCloseButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeCloseButtonStyle */ public static final int AppCompatTheme_actionModeCloseButtonStyle=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeCloseDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeCloseDrawable */ public static final int AppCompatTheme_actionModeCloseDrawable=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeCopyDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeCopyDrawable */ public static final int AppCompatTheme_actionModeCopyDrawable=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeCutDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeCutDrawable */ public static final int AppCompatTheme_actionModeCutDrawable=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeFindDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeFindDrawable */ public static final int AppCompatTheme_actionModeFindDrawable=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModePasteDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModePasteDrawable */ public static final int AppCompatTheme_actionModePasteDrawable=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModePopupWindowStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModePopupWindowStyle */ public static final int AppCompatTheme_actionModePopupWindowStyle=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeSelectAllDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeSelectAllDrawable */ public static final int AppCompatTheme_actionModeSelectAllDrawable=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeShareDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeShareDrawable */ public static final int AppCompatTheme_actionModeShareDrawable=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeSplitBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeSplitBackground */ public static final int AppCompatTheme_actionModeSplitBackground=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeStyle */ public static final int AppCompatTheme_actionModeStyle=28; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionModeWebSearchDrawable} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionModeWebSearchDrawable */ public static final int AppCompatTheme_actionModeWebSearchDrawable=29; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionOverflowButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionOverflowButtonStyle */ public static final int AppCompatTheme_actionOverflowButtonStyle=30; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionOverflowMenuStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionOverflowMenuStyle */ public static final int AppCompatTheme_actionOverflowMenuStyle=31; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#activityChooserViewStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:activityChooserViewStyle */ public static final int AppCompatTheme_activityChooserViewStyle=32; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#alertDialogButtonGroupStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:alertDialogButtonGroupStyle */ public static final int AppCompatTheme_alertDialogButtonGroupStyle=33; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#alertDialogCenterButtons} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:alertDialogCenterButtons */ public static final int AppCompatTheme_alertDialogCenterButtons=34; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#alertDialogStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:alertDialogStyle */ public static final int AppCompatTheme_alertDialogStyle=35; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#alertDialogTheme} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:alertDialogTheme */ public static final int AppCompatTheme_alertDialogTheme=36; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#autoCompleteTextViewStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:autoCompleteTextViewStyle */ public static final int AppCompatTheme_autoCompleteTextViewStyle=37; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#borderlessButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:borderlessButtonStyle */ public static final int AppCompatTheme_borderlessButtonStyle=38; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonBarButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonBarButtonStyle */ public static final int AppCompatTheme_buttonBarButtonStyle=39; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonBarNegativeButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonBarNegativeButtonStyle */ public static final int AppCompatTheme_buttonBarNegativeButtonStyle=40; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonBarNeutralButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonBarNeutralButtonStyle */ public static final int AppCompatTheme_buttonBarNeutralButtonStyle=41; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonBarPositiveButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonBarPositiveButtonStyle */ public static final int AppCompatTheme_buttonBarPositiveButtonStyle=42; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonBarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonBarStyle */ public static final int AppCompatTheme_buttonBarStyle=43; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonStyle */ public static final int AppCompatTheme_buttonStyle=44; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonStyleSmall} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:buttonStyleSmall */ public static final int AppCompatTheme_buttonStyleSmall=45; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#checkboxStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:checkboxStyle */ public static final int AppCompatTheme_checkboxStyle=46; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#checkedTextViewStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:checkedTextViewStyle */ public static final int AppCompatTheme_checkedTextViewStyle=47; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorAccent} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorAccent */ public static final int AppCompatTheme_colorAccent=48; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorBackgroundFloating} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorBackgroundFloating */ public static final int AppCompatTheme_colorBackgroundFloating=49; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorButtonNormal} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorButtonNormal */ public static final int AppCompatTheme_colorButtonNormal=50; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorControlActivated} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorControlActivated */ public static final int AppCompatTheme_colorControlActivated=51; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorControlHighlight} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorControlHighlight */ public static final int AppCompatTheme_colorControlHighlight=52; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorControlNormal} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorControlNormal */ public static final int AppCompatTheme_colorControlNormal=53; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorError} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorError */ public static final int AppCompatTheme_colorError=54; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorPrimary} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorPrimary */ public static final int AppCompatTheme_colorPrimary=55; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorPrimaryDark} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorPrimaryDark */ public static final int AppCompatTheme_colorPrimaryDark=56; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorSwitchThumbNormal} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:colorSwitchThumbNormal */ public static final int AppCompatTheme_colorSwitchThumbNormal=57; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#controlBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:controlBackground */ public static final int AppCompatTheme_controlBackground=58; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dialogPreferredPadding} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:dialogPreferredPadding */ public static final int AppCompatTheme_dialogPreferredPadding=59; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dialogTheme} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:dialogTheme */ public static final int AppCompatTheme_dialogTheme=60; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dividerHorizontal} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:dividerHorizontal */ public static final int AppCompatTheme_dividerHorizontal=61; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dividerVertical} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:dividerVertical */ public static final int AppCompatTheme_dividerVertical=62; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dropDownListViewStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:dropDownListViewStyle */ public static final int AppCompatTheme_dropDownListViewStyle=63; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dropdownListPreferredItemHeight} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:dropdownListPreferredItemHeight */ public static final int AppCompatTheme_dropdownListPreferredItemHeight=64; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#editTextBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:editTextBackground */ public static final int AppCompatTheme_editTextBackground=65; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#editTextColor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:editTextColor */ public static final int AppCompatTheme_editTextColor=66; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#editTextStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:editTextStyle */ public static final int AppCompatTheme_editTextStyle=67; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#homeAsUpIndicator} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:homeAsUpIndicator */ public static final int AppCompatTheme_homeAsUpIndicator=68; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#imageButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:imageButtonStyle */ public static final int AppCompatTheme_imageButtonStyle=69; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listChoiceBackgroundIndicator} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:listChoiceBackgroundIndicator */ public static final int AppCompatTheme_listChoiceBackgroundIndicator=70; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listDividerAlertDialog} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:listDividerAlertDialog */ public static final int AppCompatTheme_listDividerAlertDialog=71; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listMenuViewStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:listMenuViewStyle */ public static final int AppCompatTheme_listMenuViewStyle=72; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listPopupWindowStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:listPopupWindowStyle */ public static final int AppCompatTheme_listPopupWindowStyle=73; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listPreferredItemHeight} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:listPreferredItemHeight */ public static final int AppCompatTheme_listPreferredItemHeight=74; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listPreferredItemHeightLarge} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:listPreferredItemHeightLarge */ public static final int AppCompatTheme_listPreferredItemHeightLarge=75; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listPreferredItemHeightSmall} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:listPreferredItemHeightSmall */ public static final int AppCompatTheme_listPreferredItemHeightSmall=76; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listPreferredItemPaddingLeft} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:listPreferredItemPaddingLeft */ public static final int AppCompatTheme_listPreferredItemPaddingLeft=77; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#listPreferredItemPaddingRight} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:listPreferredItemPaddingRight */ public static final int AppCompatTheme_listPreferredItemPaddingRight=78; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#panelBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:panelBackground */ public static final int AppCompatTheme_panelBackground=79; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#panelMenuListTheme} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:panelMenuListTheme */ public static final int AppCompatTheme_panelMenuListTheme=80; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#panelMenuListWidth} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:panelMenuListWidth */ public static final int AppCompatTheme_panelMenuListWidth=81; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#popupMenuStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:popupMenuStyle */ public static final int AppCompatTheme_popupMenuStyle=82; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#popupWindowStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:popupWindowStyle */ public static final int AppCompatTheme_popupWindowStyle=83; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#radioButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:radioButtonStyle */ public static final int AppCompatTheme_radioButtonStyle=84; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#ratingBarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:ratingBarStyle */ public static final int AppCompatTheme_ratingBarStyle=85; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#ratingBarStyleIndicator} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:ratingBarStyleIndicator */ public static final int AppCompatTheme_ratingBarStyleIndicator=86; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#ratingBarStyleSmall} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:ratingBarStyleSmall */ public static final int AppCompatTheme_ratingBarStyleSmall=87; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#searchViewStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:searchViewStyle */ public static final int AppCompatTheme_searchViewStyle=88; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#seekBarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:seekBarStyle */ public static final int AppCompatTheme_seekBarStyle=89; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#selectableItemBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:selectableItemBackground */ public static final int AppCompatTheme_selectableItemBackground=90; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#selectableItemBackgroundBorderless} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:selectableItemBackgroundBorderless */ public static final int AppCompatTheme_selectableItemBackgroundBorderless=91; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#spinnerDropDownItemStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:spinnerDropDownItemStyle */ public static final int AppCompatTheme_spinnerDropDownItemStyle=92; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#spinnerStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:spinnerStyle */ public static final int AppCompatTheme_spinnerStyle=93; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#switchStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:switchStyle */ public static final int AppCompatTheme_switchStyle=94; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceLargePopupMenu} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceLargePopupMenu */ public static final int AppCompatTheme_textAppearanceLargePopupMenu=95; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceListItem} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceListItem */ public static final int AppCompatTheme_textAppearanceListItem=96; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceListItemSecondary} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceListItemSecondary */ public static final int AppCompatTheme_textAppearanceListItemSecondary=97; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceListItemSmall} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceListItemSmall */ public static final int AppCompatTheme_textAppearanceListItemSmall=98; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearancePopupMenuHeader} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearancePopupMenuHeader */ public static final int AppCompatTheme_textAppearancePopupMenuHeader=99; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceSearchResultSubtitle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceSearchResultSubtitle */ public static final int AppCompatTheme_textAppearanceSearchResultSubtitle=100; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceSearchResultTitle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceSearchResultTitle */ public static final int AppCompatTheme_textAppearanceSearchResultTitle=101; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAppearanceSmallPopupMenu} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:textAppearanceSmallPopupMenu */ public static final int AppCompatTheme_textAppearanceSmallPopupMenu=102; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textColorAlertDialogListItem} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:textColorAlertDialogListItem */ public static final int AppCompatTheme_textColorAlertDialogListItem=103; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textColorSearchUrl} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:textColorSearchUrl */ public static final int AppCompatTheme_textColorSearchUrl=104; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#toolbarNavigationButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:toolbarNavigationButtonStyle */ public static final int AppCompatTheme_toolbarNavigationButtonStyle=105; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#toolbarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:toolbarStyle */ public static final int AppCompatTheme_toolbarStyle=106; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tooltipForegroundColor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:tooltipForegroundColor */ public static final int AppCompatTheme_tooltipForegroundColor=107; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tooltipFrameBackground} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:tooltipFrameBackground */ public static final int AppCompatTheme_tooltipFrameBackground=108; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#viewInflaterClass} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:viewInflaterClass */ public static final int AppCompatTheme_viewInflaterClass=109; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowActionBar} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:windowActionBar */ public static final int AppCompatTheme_windowActionBar=110; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowActionBarOverlay} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:windowActionBarOverlay */ public static final int AppCompatTheme_windowActionBarOverlay=111; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowActionModeOverlay} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:windowActionModeOverlay */ public static final int AppCompatTheme_windowActionModeOverlay=112; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowFixedHeightMajor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.socero.loopmerchant:windowFixedHeightMajor */ public static final int AppCompatTheme_windowFixedHeightMajor=113; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowFixedHeightMinor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.socero.loopmerchant:windowFixedHeightMinor */ public static final int AppCompatTheme_windowFixedHeightMinor=114; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowFixedWidthMajor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.socero.loopmerchant:windowFixedWidthMajor */ public static final int AppCompatTheme_windowFixedWidthMajor=115; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowFixedWidthMinor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.socero.loopmerchant:windowFixedWidthMinor */ public static final int AppCompatTheme_windowFixedWidthMinor=116; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowMinWidthMajor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.socero.loopmerchant:windowMinWidthMajor */ public static final int AppCompatTheme_windowMinWidthMajor=117; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowMinWidthMinor} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.socero.loopmerchant:windowMinWidthMinor */ public static final int AppCompatTheme_windowMinWidthMinor=118; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#windowNoTitle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:windowNoTitle */ public static final int AppCompatTheme_windowNoTitle=119; /** * Attributes that can be used with a BottomNavigationView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #BottomNavigationView_elevation com.socero.loopmerchant:elevation}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemBackground com.socero.loopmerchant:itemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemIconTint com.socero.loopmerchant:itemIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemTextColor com.socero.loopmerchant:itemTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_menu com.socero.loopmerchant:menu}</code></td><td></td></tr> * </table> * @see #BottomNavigationView_elevation * @see #BottomNavigationView_itemBackground * @see #BottomNavigationView_itemIconTint * @see #BottomNavigationView_itemTextColor * @see #BottomNavigationView_menu */ public static final int[] BottomNavigationView={ 0x7f04008d, 0x7f0400d8, 0x7f0400d9, 0x7f0400dc, 0x7f0400fa }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#elevation} * attribute's value can be found in the {@link #BottomNavigationView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:elevation */ public static final int BottomNavigationView_elevation=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemBackground} * attribute's value can be found in the {@link #BottomNavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:itemBackground */ public static final int BottomNavigationView_itemBackground=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemIconTint} * attribute's value can be found in the {@link #BottomNavigationView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:itemIconTint */ public static final int BottomNavigationView_itemIconTint=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemTextColor} * attribute's value can be found in the {@link #BottomNavigationView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:itemTextColor */ public static final int BottomNavigationView_itemTextColor=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu} * attribute's value can be found in the {@link #BottomNavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu */ public static final int BottomNavigationView_menu=4; /** * Attributes that can be used with a BottomSheetBehavior_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_hideable com.socero.loopmerchant:behavior_hideable}</code></td><td></td></tr> * <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_peekHeight com.socero.loopmerchant:behavior_peekHeight}</code></td><td></td></tr> * <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_skipCollapsed com.socero.loopmerchant:behavior_skipCollapsed}</code></td><td></td></tr> * </table> * @see #BottomSheetBehavior_Layout_behavior_hideable * @see #BottomSheetBehavior_Layout_behavior_peekHeight * @see #BottomSheetBehavior_Layout_behavior_skipCollapsed */ public static final int[] BottomSheetBehavior_Layout={ 0x7f040040, 0x7f040042, 0x7f040043 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#behavior_hideable} * attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:behavior_hideable */ public static final int BottomSheetBehavior_Layout_behavior_hideable=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#behavior_peekHeight} * attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:behavior_peekHeight */ public static final int BottomSheetBehavior_Layout_behavior_peekHeight=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#behavior_skipCollapsed} * attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:behavior_skipCollapsed */ public static final int BottomSheetBehavior_Layout_behavior_skipCollapsed=2; /** * Attributes that can be used with a ButtonBarLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ButtonBarLayout_allowStacking com.socero.loopmerchant:allowStacking}</code></td><td></td></tr> * </table> * @see #ButtonBarLayout_allowStacking */ public static final int[] ButtonBarLayout={ 0x7f04002d }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#allowStacking} * attribute's value can be found in the {@link #ButtonBarLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:allowStacking */ public static final int ButtonBarLayout_allowStacking=0; /** * Attributes that can be used with a CollapsingToolbarLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleGravity com.socero.loopmerchant:collapsedTitleGravity}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleTextAppearance com.socero.loopmerchant:collapsedTitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_contentScrim com.socero.loopmerchant:contentScrim}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleGravity com.socero.loopmerchant:expandedTitleGravity}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMargin com.socero.loopmerchant:expandedTitleMargin}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginBottom com.socero.loopmerchant:expandedTitleMarginBottom}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginEnd com.socero.loopmerchant:expandedTitleMarginEnd}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginStart com.socero.loopmerchant:expandedTitleMarginStart}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginTop com.socero.loopmerchant:expandedTitleMarginTop}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleTextAppearance com.socero.loopmerchant:expandedTitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_scrimAnimationDuration com.socero.loopmerchant:scrimAnimationDuration}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_scrimVisibleHeightTrigger com.socero.loopmerchant:scrimVisibleHeightTrigger}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_statusBarScrim com.socero.loopmerchant:statusBarScrim}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_title com.socero.loopmerchant:title}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_titleEnabled com.socero.loopmerchant:titleEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_toolbarId com.socero.loopmerchant:toolbarId}</code></td><td></td></tr> * </table> * @see #CollapsingToolbarLayout_collapsedTitleGravity * @see #CollapsingToolbarLayout_collapsedTitleTextAppearance * @see #CollapsingToolbarLayout_contentScrim * @see #CollapsingToolbarLayout_expandedTitleGravity * @see #CollapsingToolbarLayout_expandedTitleMargin * @see #CollapsingToolbarLayout_expandedTitleMarginBottom * @see #CollapsingToolbarLayout_expandedTitleMarginEnd * @see #CollapsingToolbarLayout_expandedTitleMarginStart * @see #CollapsingToolbarLayout_expandedTitleMarginTop * @see #CollapsingToolbarLayout_expandedTitleTextAppearance * @see #CollapsingToolbarLayout_scrimAnimationDuration * @see #CollapsingToolbarLayout_scrimVisibleHeightTrigger * @see #CollapsingToolbarLayout_statusBarScrim * @see #CollapsingToolbarLayout_title * @see #CollapsingToolbarLayout_titleEnabled * @see #CollapsingToolbarLayout_toolbarId */ public static final int[] CollapsingToolbarLayout={ 0x7f04005c, 0x7f04005d, 0x7f040075, 0x7f040092, 0x7f040093, 0x7f040094, 0x7f040095, 0x7f040096, 0x7f040097, 0x7f040098, 0x7f04015b, 0x7f04015c, 0x7f040174, 0x7f0401a7, 0x7f0401a8, 0x7f0401b2 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#collapsedTitleGravity} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:collapsedTitleGravity */ public static final int CollapsingToolbarLayout_collapsedTitleGravity=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#collapsedTitleTextAppearance} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:collapsedTitleTextAppearance */ public static final int CollapsingToolbarLayout_collapsedTitleTextAppearance=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentScrim} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:contentScrim */ public static final int CollapsingToolbarLayout_contentScrim=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleGravity} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:expandedTitleGravity */ public static final int CollapsingToolbarLayout_expandedTitleGravity=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleMargin} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:expandedTitleMargin */ public static final int CollapsingToolbarLayout_expandedTitleMargin=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleMarginBottom} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:expandedTitleMarginBottom */ public static final int CollapsingToolbarLayout_expandedTitleMarginBottom=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleMarginEnd} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:expandedTitleMarginEnd */ public static final int CollapsingToolbarLayout_expandedTitleMarginEnd=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleMarginStart} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:expandedTitleMarginStart */ public static final int CollapsingToolbarLayout_expandedTitleMarginStart=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleMarginTop} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:expandedTitleMarginTop */ public static final int CollapsingToolbarLayout_expandedTitleMarginTop=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#expandedTitleTextAppearance} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:expandedTitleTextAppearance */ public static final int CollapsingToolbarLayout_expandedTitleTextAppearance=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#scrimAnimationDuration} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:scrimAnimationDuration */ public static final int CollapsingToolbarLayout_scrimAnimationDuration=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#scrimVisibleHeightTrigger} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:scrimVisibleHeightTrigger */ public static final int CollapsingToolbarLayout_scrimVisibleHeightTrigger=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#statusBarScrim} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:statusBarScrim */ public static final int CollapsingToolbarLayout_statusBarScrim=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#title} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:title */ public static final int CollapsingToolbarLayout_title=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleEnabled} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:titleEnabled */ public static final int CollapsingToolbarLayout_titleEnabled=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#toolbarId} * attribute's value can be found in the {@link #CollapsingToolbarLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:toolbarId */ public static final int CollapsingToolbarLayout_toolbarId=15; /** * Attributes that can be used with a CollapsingToolbarLayout_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseMode com.socero.loopmerchant:layout_collapseMode}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier com.socero.loopmerchant:layout_collapseParallaxMultiplier}</code></td><td></td></tr> * </table> * @see #CollapsingToolbarLayout_Layout_layout_collapseMode * @see #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier */ public static final int[] CollapsingToolbarLayout_Layout={ 0x7f0400e3, 0x7f0400e4 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_collapseMode} * attribute's value can be found in the {@link #CollapsingToolbarLayout_Layout} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>parallax</td><td>2</td><td></td></tr> * <tr><td>pin</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:layout_collapseMode */ public static final int CollapsingToolbarLayout_Layout_layout_collapseMode=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_collapseParallaxMultiplier} * attribute's value can be found in the {@link #CollapsingToolbarLayout_Layout} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.socero.loopmerchant:layout_collapseParallaxMultiplier */ public static final int CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier=1; /** * Attributes that can be used with a ColorStateListItem. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ColorStateListItem_android_color android:color}</code></td><td></td></tr> * <tr><td><code>{@link #ColorStateListItem_android_alpha android:alpha}</code></td><td></td></tr> * <tr><td><code>{@link #ColorStateListItem_alpha com.socero.loopmerchant:alpha}</code></td><td></td></tr> * </table> * @see #ColorStateListItem_android_color * @see #ColorStateListItem_android_alpha * @see #ColorStateListItem_alpha */ public static final int[] ColorStateListItem={ 0x010101a5, 0x0101031f, 0x7f04002e }; /** * <p>This symbol is the offset where the {@link android.R.attr#color} * attribute's value can be found in the {@link #ColorStateListItem} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:color */ public static final int ColorStateListItem_android_color=0; /** * <p>This symbol is the offset where the {@link android.R.attr#alpha} * attribute's value can be found in the {@link #ColorStateListItem} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:alpha */ public static final int ColorStateListItem_android_alpha=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#alpha} * attribute's value can be found in the {@link #ColorStateListItem} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.socero.loopmerchant:alpha */ public static final int ColorStateListItem_alpha=2; /** * Attributes that can be used with a CompoundButton. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr> * <tr><td><code>{@link #CompoundButton_buttonTint com.socero.loopmerchant:buttonTint}</code></td><td></td></tr> * <tr><td><code>{@link #CompoundButton_buttonTintMode com.socero.loopmerchant:buttonTintMode}</code></td><td></td></tr> * </table> * @see #CompoundButton_android_button * @see #CompoundButton_buttonTint * @see #CompoundButton_buttonTintMode */ public static final int[] CompoundButton={ 0x01010107, 0x7f040053, 0x7f040054 }; /** * <p>This symbol is the offset where the {@link android.R.attr#button} * attribute's value can be found in the {@link #CompoundButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:button */ public static final int CompoundButton_android_button=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonTint} * attribute's value can be found in the {@link #CompoundButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:buttonTint */ public static final int CompoundButton_buttonTint=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonTintMode} * attribute's value can be found in the {@link #CompoundButton} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:buttonTintMode */ public static final int CompoundButton_buttonTintMode=2; /** * Attributes that can be used with a CoordinatorLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CoordinatorLayout_keylines com.socero.loopmerchant:keylines}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_statusBarBackground com.socero.loopmerchant:statusBarBackground}</code></td><td></td></tr> * </table> * @see #CoordinatorLayout_keylines * @see #CoordinatorLayout_statusBarBackground */ public static final int[] CoordinatorLayout={ 0x7f0400dd, 0x7f040173 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#keylines} * attribute's value can be found in the {@link #CoordinatorLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:keylines */ public static final int CoordinatorLayout_keylines=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#statusBarBackground} * attribute's value can be found in the {@link #CoordinatorLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:statusBarBackground */ public static final int CoordinatorLayout_statusBarBackground=1; /** * Attributes that can be used with a CoordinatorLayout_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchor com.socero.loopmerchant:layout_anchor}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchorGravity com.socero.loopmerchant:layout_anchorGravity}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_behavior com.socero.loopmerchant:layout_behavior}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_dodgeInsetEdges com.socero.loopmerchant:layout_dodgeInsetEdges}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_insetEdge com.socero.loopmerchant:layout_insetEdge}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_keyline com.socero.loopmerchant:layout_keyline}</code></td><td></td></tr> * </table> * @see #CoordinatorLayout_Layout_android_layout_gravity * @see #CoordinatorLayout_Layout_layout_anchor * @see #CoordinatorLayout_Layout_layout_anchorGravity * @see #CoordinatorLayout_Layout_layout_behavior * @see #CoordinatorLayout_Layout_layout_dodgeInsetEdges * @see #CoordinatorLayout_Layout_layout_insetEdge * @see #CoordinatorLayout_Layout_layout_keyline */ public static final int[] CoordinatorLayout_Layout={ 0x010100b3, 0x7f0400e0, 0x7f0400e1, 0x7f0400e2, 0x7f0400e5, 0x7f0400e6, 0x7f0400e7 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:layout_gravity */ public static final int CoordinatorLayout_Layout_android_layout_gravity=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_anchor} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:layout_anchor */ public static final int CoordinatorLayout_Layout_layout_anchor=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_anchorGravity} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:layout_anchorGravity */ public static final int CoordinatorLayout_Layout_layout_anchorGravity=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_behavior} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:layout_behavior */ public static final int CoordinatorLayout_Layout_layout_behavior=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_dodgeInsetEdges} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>all</td><td>77</td><td></td></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:layout_dodgeInsetEdges */ public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_insetEdge} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:layout_insetEdge */ public static final int CoordinatorLayout_Layout_layout_insetEdge=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout_keyline} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:layout_keyline */ public static final int CoordinatorLayout_Layout_layout_keyline=6; /** * Attributes that can be used with a DesignTheme. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #DesignTheme_bottomSheetDialogTheme com.socero.loopmerchant:bottomSheetDialogTheme}</code></td><td></td></tr> * <tr><td><code>{@link #DesignTheme_bottomSheetStyle com.socero.loopmerchant:bottomSheetStyle}</code></td><td></td></tr> * <tr><td><code>{@link #DesignTheme_textColorError com.socero.loopmerchant:textColorError}</code></td><td></td></tr> * </table> * @see #DesignTheme_bottomSheetDialogTheme * @see #DesignTheme_bottomSheetStyle * @see #DesignTheme_textColorError */ public static final int[] DesignTheme={ 0x7f040046, 0x7f040047, 0x7f04019b }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#bottomSheetDialogTheme} * attribute's value can be found in the {@link #DesignTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:bottomSheetDialogTheme */ public static final int DesignTheme_bottomSheetDialogTheme=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#bottomSheetStyle} * attribute's value can be found in the {@link #DesignTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:bottomSheetStyle */ public static final int DesignTheme_bottomSheetStyle=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textColorError} * attribute's value can be found in the {@link #DesignTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:textColorError */ public static final int DesignTheme_textColorError=2; /** * Attributes that can be used with a DrawerArrowToggle. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #DrawerArrowToggle_arrowHeadLength com.socero.loopmerchant:arrowHeadLength}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength com.socero.loopmerchant:arrowShaftLength}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_barLength com.socero.loopmerchant:barLength}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_color com.socero.loopmerchant:color}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_drawableSize com.socero.loopmerchant:drawableSize}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars com.socero.loopmerchant:gapBetweenBars}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_spinBars com.socero.loopmerchant:spinBars}</code></td><td></td></tr> * <tr><td><code>{@link #DrawerArrowToggle_thickness com.socero.loopmerchant:thickness}</code></td><td></td></tr> * </table> * @see #DrawerArrowToggle_arrowHeadLength * @see #DrawerArrowToggle_arrowShaftLength * @see #DrawerArrowToggle_barLength * @see #DrawerArrowToggle_color * @see #DrawerArrowToggle_drawableSize * @see #DrawerArrowToggle_gapBetweenBars * @see #DrawerArrowToggle_spinBars * @see #DrawerArrowToggle_thickness */ public static final int[] DrawerArrowToggle={ 0x7f040030, 0x7f040031, 0x7f04003e, 0x7f04005e, 0x7f040086, 0x7f0400c2, 0x7f04016a, 0x7f04019e }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#arrowHeadLength} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:arrowHeadLength */ public static final int DrawerArrowToggle_arrowHeadLength=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#arrowShaftLength} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:arrowShaftLength */ public static final int DrawerArrowToggle_arrowShaftLength=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#barLength} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:barLength */ public static final int DrawerArrowToggle_barLength=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#color} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:color */ public static final int DrawerArrowToggle_color=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#drawableSize} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:drawableSize */ public static final int DrawerArrowToggle_drawableSize=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#gapBetweenBars} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:gapBetweenBars */ public static final int DrawerArrowToggle_gapBetweenBars=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#spinBars} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:spinBars */ public static final int DrawerArrowToggle_spinBars=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#thickness} * attribute's value can be found in the {@link #DrawerArrowToggle} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:thickness */ public static final int DrawerArrowToggle_thickness=7; /** * Attributes that can be used with a FloatingActionButton. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #FloatingActionButton_backgroundTint com.socero.loopmerchant:backgroundTint}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_backgroundTintMode com.socero.loopmerchant:backgroundTintMode}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_borderWidth com.socero.loopmerchant:borderWidth}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_elevation com.socero.loopmerchant:elevation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fabCustomSize com.socero.loopmerchant:fabCustomSize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fabSize com.socero.loopmerchant:fabSize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_colorDisabled com.socero.loopmerchant:fab_colorDisabled}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_colorNormal com.socero.loopmerchant:fab_colorNormal}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_colorPressed com.socero.loopmerchant:fab_colorPressed}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_colorRipple com.socero.loopmerchant:fab_colorRipple}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_elevationCompat com.socero.loopmerchant:fab_elevationCompat}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_hideAnimation com.socero.loopmerchant:fab_hideAnimation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_label com.socero.loopmerchant:fab_label}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_progress com.socero.loopmerchant:fab_progress}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_progress_backgroundColor com.socero.loopmerchant:fab_progress_backgroundColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_progress_color com.socero.loopmerchant:fab_progress_color}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_progress_indeterminate com.socero.loopmerchant:fab_progress_indeterminate}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_progress_max com.socero.loopmerchant:fab_progress_max}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_progress_showBackground com.socero.loopmerchant:fab_progress_showBackground}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_shadowColor com.socero.loopmerchant:fab_shadowColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_shadowRadius com.socero.loopmerchant:fab_shadowRadius}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_shadowXOffset com.socero.loopmerchant:fab_shadowXOffset}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_shadowYOffset com.socero.loopmerchant:fab_shadowYOffset}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_showAnimation com.socero.loopmerchant:fab_showAnimation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_showShadow com.socero.loopmerchant:fab_showShadow}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fab_size com.socero.loopmerchant:fab_size}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_pressedTranslationZ com.socero.loopmerchant:pressedTranslationZ}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_rippleColor com.socero.loopmerchant:rippleColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_useCompatPadding com.socero.loopmerchant:useCompatPadding}</code></td><td></td></tr> * </table> * @see #FloatingActionButton_backgroundTint * @see #FloatingActionButton_backgroundTintMode * @see #FloatingActionButton_borderWidth * @see #FloatingActionButton_elevation * @see #FloatingActionButton_fabCustomSize * @see #FloatingActionButton_fabSize * @see #FloatingActionButton_fab_colorDisabled * @see #FloatingActionButton_fab_colorNormal * @see #FloatingActionButton_fab_colorPressed * @see #FloatingActionButton_fab_colorRipple * @see #FloatingActionButton_fab_elevationCompat * @see #FloatingActionButton_fab_hideAnimation * @see #FloatingActionButton_fab_label * @see #FloatingActionButton_fab_progress * @see #FloatingActionButton_fab_progress_backgroundColor * @see #FloatingActionButton_fab_progress_color * @see #FloatingActionButton_fab_progress_indeterminate * @see #FloatingActionButton_fab_progress_max * @see #FloatingActionButton_fab_progress_showBackground * @see #FloatingActionButton_fab_shadowColor * @see #FloatingActionButton_fab_shadowRadius * @see #FloatingActionButton_fab_shadowXOffset * @see #FloatingActionButton_fab_shadowYOffset * @see #FloatingActionButton_fab_showAnimation * @see #FloatingActionButton_fab_showShadow * @see #FloatingActionButton_fab_size * @see #FloatingActionButton_pressedTranslationZ * @see #FloatingActionButton_rippleColor * @see #FloatingActionButton_useCompatPadding */ public static final int[] FloatingActionButton={ 0x7f04003c, 0x7f04003d, 0x7f040044, 0x7f04008d, 0x7f040099, 0x7f04009a, 0x7f04009b, 0x7f04009c, 0x7f04009d, 0x7f04009e, 0x7f04009f, 0x7f0400a0, 0x7f0400a1, 0x7f0400a2, 0x7f0400a3, 0x7f0400a4, 0x7f0400a5, 0x7f0400a6, 0x7f0400a7, 0x7f0400a8, 0x7f0400a9, 0x7f0400aa, 0x7f0400ab, 0x7f0400ac, 0x7f0400ad, 0x7f0400ae, 0x7f04013c, 0x7f04014b, 0x7f0401bc }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundTint} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:backgroundTint */ public static final int FloatingActionButton_backgroundTint=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundTintMode} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:backgroundTintMode */ public static final int FloatingActionButton_backgroundTintMode=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#borderWidth} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:borderWidth */ public static final int FloatingActionButton_borderWidth=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#elevation} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:elevation */ public static final int FloatingActionButton_elevation=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fabCustomSize} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:fabCustomSize */ public static final int FloatingActionButton_fabCustomSize=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fabSize} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>ffffffff</td><td></td></tr> * <tr><td>mini</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:fabSize */ public static final int FloatingActionButton_fabSize=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_colorDisabled} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_colorDisabled */ public static final int FloatingActionButton_fab_colorDisabled=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_colorNormal} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_colorNormal */ public static final int FloatingActionButton_fab_colorNormal=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_colorPressed} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_colorPressed */ public static final int FloatingActionButton_fab_colorPressed=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_colorRipple} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_colorRipple */ public static final int FloatingActionButton_fab_colorRipple=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_elevationCompat} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:fab_elevationCompat */ public static final int FloatingActionButton_fab_elevationCompat=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_hideAnimation} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fab_hideAnimation */ public static final int FloatingActionButton_fab_hideAnimation=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_label} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:fab_label */ public static final int FloatingActionButton_fab_label=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_progress} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:fab_progress */ public static final int FloatingActionButton_fab_progress=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_progress_backgroundColor} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_progress_backgroundColor */ public static final int FloatingActionButton_fab_progress_backgroundColor=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_progress_color} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_progress_color */ public static final int FloatingActionButton_fab_progress_color=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_progress_indeterminate} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:fab_progress_indeterminate */ public static final int FloatingActionButton_fab_progress_indeterminate=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_progress_max} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:fab_progress_max */ public static final int FloatingActionButton_fab_progress_max=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_progress_showBackground} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:fab_progress_showBackground */ public static final int FloatingActionButton_fab_progress_showBackground=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_shadowColor} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:fab_shadowColor */ public static final int FloatingActionButton_fab_shadowColor=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_shadowRadius} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:fab_shadowRadius */ public static final int FloatingActionButton_fab_shadowRadius=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_shadowXOffset} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:fab_shadowXOffset */ public static final int FloatingActionButton_fab_shadowXOffset=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_shadowYOffset} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:fab_shadowYOffset */ public static final int FloatingActionButton_fab_shadowYOffset=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_showAnimation} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fab_showAnimation */ public static final int FloatingActionButton_fab_showAnimation=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_showShadow} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:fab_showShadow */ public static final int FloatingActionButton_fab_showShadow=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fab_size} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>mini</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:fab_size */ public static final int FloatingActionButton_fab_size=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#pressedTranslationZ} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:pressedTranslationZ */ public static final int FloatingActionButton_pressedTranslationZ=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#rippleColor} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:rippleColor */ public static final int FloatingActionButton_rippleColor=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#useCompatPadding} * attribute's value can be found in the {@link #FloatingActionButton} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:useCompatPadding */ public static final int FloatingActionButton_useCompatPadding=28; /** * Attributes that can be used with a FloatingActionButton_Behavior_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #FloatingActionButton_Behavior_Layout_behavior_autoHide com.socero.loopmerchant:behavior_autoHide}</code></td><td></td></tr> * </table> * @see #FloatingActionButton_Behavior_Layout_behavior_autoHide */ public static final int[] FloatingActionButton_Behavior_Layout={ 0x7f04003f }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#behavior_autoHide} * attribute's value can be found in the {@link #FloatingActionButton_Behavior_Layout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:behavior_autoHide */ public static final int FloatingActionButton_Behavior_Layout_behavior_autoHide=0; /** * Attributes that can be used with a FloatingActionMenu. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_animationDelayPerItem com.socero.loopmerchant:menu_animationDelayPerItem}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_backgroundColor com.socero.loopmerchant:menu_backgroundColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_buttonSpacing com.socero.loopmerchant:menu_buttonSpacing}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_buttonToggleAnimation com.socero.loopmerchant:menu_buttonToggleAnimation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_colorNormal com.socero.loopmerchant:menu_colorNormal}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_colorPressed com.socero.loopmerchant:menu_colorPressed}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_colorRipple com.socero.loopmerchant:menu_colorRipple}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_fab_hide_animation com.socero.loopmerchant:menu_fab_hide_animation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_fab_label com.socero.loopmerchant:menu_fab_label}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_fab_show_animation com.socero.loopmerchant:menu_fab_show_animation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_fab_size com.socero.loopmerchant:menu_fab_size}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_icon com.socero.loopmerchant:menu_icon}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_colorNormal com.socero.loopmerchant:menu_labels_colorNormal}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_colorPressed com.socero.loopmerchant:menu_labels_colorPressed}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_colorRipple com.socero.loopmerchant:menu_labels_colorRipple}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_cornerRadius com.socero.loopmerchant:menu_labels_cornerRadius}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_customFont com.socero.loopmerchant:menu_labels_customFont}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_ellipsize com.socero.loopmerchant:menu_labels_ellipsize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_hideAnimation com.socero.loopmerchant:menu_labels_hideAnimation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_margin com.socero.loopmerchant:menu_labels_margin}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_maxLines com.socero.loopmerchant:menu_labels_maxLines}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_padding com.socero.loopmerchant:menu_labels_padding}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_paddingBottom com.socero.loopmerchant:menu_labels_paddingBottom}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_paddingLeft com.socero.loopmerchant:menu_labels_paddingLeft}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_paddingRight com.socero.loopmerchant:menu_labels_paddingRight}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_paddingTop com.socero.loopmerchant:menu_labels_paddingTop}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_position com.socero.loopmerchant:menu_labels_position}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_showAnimation com.socero.loopmerchant:menu_labels_showAnimation}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_showShadow com.socero.loopmerchant:menu_labels_showShadow}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_singleLine com.socero.loopmerchant:menu_labels_singleLine}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_style com.socero.loopmerchant:menu_labels_style}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_textColor com.socero.loopmerchant:menu_labels_textColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_labels_textSize com.socero.loopmerchant:menu_labels_textSize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_openDirection com.socero.loopmerchant:menu_openDirection}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_shadowColor com.socero.loopmerchant:menu_shadowColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_shadowRadius com.socero.loopmerchant:menu_shadowRadius}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_shadowXOffset com.socero.loopmerchant:menu_shadowXOffset}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_shadowYOffset com.socero.loopmerchant:menu_shadowYOffset}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionMenu_menu_showShadow com.socero.loopmerchant:menu_showShadow}</code></td><td></td></tr> * </table> * @see #FloatingActionMenu_menu_animationDelayPerItem * @see #FloatingActionMenu_menu_backgroundColor * @see #FloatingActionMenu_menu_buttonSpacing * @see #FloatingActionMenu_menu_buttonToggleAnimation * @see #FloatingActionMenu_menu_colorNormal * @see #FloatingActionMenu_menu_colorPressed * @see #FloatingActionMenu_menu_colorRipple * @see #FloatingActionMenu_menu_fab_hide_animation * @see #FloatingActionMenu_menu_fab_label * @see #FloatingActionMenu_menu_fab_show_animation * @see #FloatingActionMenu_menu_fab_size * @see #FloatingActionMenu_menu_icon * @see #FloatingActionMenu_menu_labels_colorNormal * @see #FloatingActionMenu_menu_labels_colorPressed * @see #FloatingActionMenu_menu_labels_colorRipple * @see #FloatingActionMenu_menu_labels_cornerRadius * @see #FloatingActionMenu_menu_labels_customFont * @see #FloatingActionMenu_menu_labels_ellipsize * @see #FloatingActionMenu_menu_labels_hideAnimation * @see #FloatingActionMenu_menu_labels_margin * @see #FloatingActionMenu_menu_labels_maxLines * @see #FloatingActionMenu_menu_labels_padding * @see #FloatingActionMenu_menu_labels_paddingBottom * @see #FloatingActionMenu_menu_labels_paddingLeft * @see #FloatingActionMenu_menu_labels_paddingRight * @see #FloatingActionMenu_menu_labels_paddingTop * @see #FloatingActionMenu_menu_labels_position * @see #FloatingActionMenu_menu_labels_showAnimation * @see #FloatingActionMenu_menu_labels_showShadow * @see #FloatingActionMenu_menu_labels_singleLine * @see #FloatingActionMenu_menu_labels_style * @see #FloatingActionMenu_menu_labels_textColor * @see #FloatingActionMenu_menu_labels_textSize * @see #FloatingActionMenu_menu_openDirection * @see #FloatingActionMenu_menu_shadowColor * @see #FloatingActionMenu_menu_shadowRadius * @see #FloatingActionMenu_menu_shadowXOffset * @see #FloatingActionMenu_menu_shadowYOffset * @see #FloatingActionMenu_menu_showShadow */ public static final int[] FloatingActionMenu={ 0x7f0400fb, 0x7f0400fc, 0x7f0400fd, 0x7f0400fe, 0x7f0400ff, 0x7f040100, 0x7f040101, 0x7f040102, 0x7f040103, 0x7f040104, 0x7f040105, 0x7f040106, 0x7f040107, 0x7f040108, 0x7f040109, 0x7f04010a, 0x7f04010b, 0x7f04010c, 0x7f04010d, 0x7f04010e, 0x7f04010f, 0x7f040110, 0x7f040111, 0x7f040112, 0x7f040113, 0x7f040114, 0x7f040115, 0x7f040116, 0x7f040117, 0x7f040118, 0x7f040119, 0x7f04011a, 0x7f04011b, 0x7f04011c, 0x7f04011d, 0x7f04011e, 0x7f04011f, 0x7f040120, 0x7f040121 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_animationDelayPerItem} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:menu_animationDelayPerItem */ public static final int FloatingActionMenu_menu_animationDelayPerItem=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_backgroundColor} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_backgroundColor */ public static final int FloatingActionMenu_menu_backgroundColor=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_buttonSpacing} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_buttonSpacing */ public static final int FloatingActionMenu_menu_buttonSpacing=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_buttonToggleAnimation} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_buttonToggleAnimation */ public static final int FloatingActionMenu_menu_buttonToggleAnimation=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_colorNormal} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_colorNormal */ public static final int FloatingActionMenu_menu_colorNormal=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_colorPressed} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_colorPressed */ public static final int FloatingActionMenu_menu_colorPressed=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_colorRipple} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_colorRipple */ public static final int FloatingActionMenu_menu_colorRipple=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_fab_hide_animation} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_fab_hide_animation */ public static final int FloatingActionMenu_menu_fab_hide_animation=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_fab_label} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:menu_fab_label */ public static final int FloatingActionMenu_menu_fab_label=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_fab_show_animation} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_fab_show_animation */ public static final int FloatingActionMenu_menu_fab_show_animation=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_fab_size} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>mini</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:menu_fab_size */ public static final int FloatingActionMenu_menu_fab_size=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_icon} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_icon */ public static final int FloatingActionMenu_menu_icon=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_colorNormal} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_colorNormal */ public static final int FloatingActionMenu_menu_labels_colorNormal=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_colorPressed} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_colorPressed */ public static final int FloatingActionMenu_menu_labels_colorPressed=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_colorRipple} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_colorRipple */ public static final int FloatingActionMenu_menu_labels_colorRipple=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_cornerRadius} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_cornerRadius */ public static final int FloatingActionMenu_menu_labels_cornerRadius=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_customFont} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:menu_labels_customFont */ public static final int FloatingActionMenu_menu_labels_customFont=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_ellipsize} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>end</td><td>3</td><td></td></tr> * <tr><td>marquee</td><td>4</td><td></td></tr> * <tr><td>middle</td><td>2</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>start</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:menu_labels_ellipsize */ public static final int FloatingActionMenu_menu_labels_ellipsize=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_hideAnimation} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_hideAnimation */ public static final int FloatingActionMenu_menu_labels_hideAnimation=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_margin} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_margin */ public static final int FloatingActionMenu_menu_labels_margin=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_maxLines} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:menu_labels_maxLines */ public static final int FloatingActionMenu_menu_labels_maxLines=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_padding} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_padding */ public static final int FloatingActionMenu_menu_labels_padding=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_paddingBottom} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_paddingBottom */ public static final int FloatingActionMenu_menu_labels_paddingBottom=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_paddingLeft} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_paddingLeft */ public static final int FloatingActionMenu_menu_labels_paddingLeft=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_paddingRight} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_paddingRight */ public static final int FloatingActionMenu_menu_labels_paddingRight=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_paddingTop} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_paddingTop */ public static final int FloatingActionMenu_menu_labels_paddingTop=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_position} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>left</td><td>0</td><td></td></tr> * <tr><td>right</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:menu_labels_position */ public static final int FloatingActionMenu_menu_labels_position=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_showAnimation} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_showAnimation */ public static final int FloatingActionMenu_menu_labels_showAnimation=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_showShadow} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:menu_labels_showShadow */ public static final int FloatingActionMenu_menu_labels_showShadow=28; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_singleLine} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:menu_labels_singleLine */ public static final int FloatingActionMenu_menu_labels_singleLine=29; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_style} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_style */ public static final int FloatingActionMenu_menu_labels_style=30; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_textColor} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_labels_textColor */ public static final int FloatingActionMenu_menu_labels_textColor=31; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_labels_textSize} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_labels_textSize */ public static final int FloatingActionMenu_menu_labels_textSize=32; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_openDirection} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>down</td><td>1</td><td></td></tr> * <tr><td>up</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:menu_openDirection */ public static final int FloatingActionMenu_menu_openDirection=33; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_shadowColor} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:menu_shadowColor */ public static final int FloatingActionMenu_menu_shadowColor=34; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_shadowRadius} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_shadowRadius */ public static final int FloatingActionMenu_menu_shadowRadius=35; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_shadowXOffset} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_shadowXOffset */ public static final int FloatingActionMenu_menu_shadowXOffset=36; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_shadowYOffset} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:menu_shadowYOffset */ public static final int FloatingActionMenu_menu_shadowYOffset=37; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu_showShadow} * attribute's value can be found in the {@link #FloatingActionMenu} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:menu_showShadow */ public static final int FloatingActionMenu_menu_showShadow=38; /** * Attributes that can be used with a FontFamily. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #FontFamily_fontProviderAuthority com.socero.loopmerchant:fontProviderAuthority}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamily_fontProviderCerts com.socero.loopmerchant:fontProviderCerts}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamily_fontProviderFetchStrategy com.socero.loopmerchant:fontProviderFetchStrategy}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamily_fontProviderFetchTimeout com.socero.loopmerchant:fontProviderFetchTimeout}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamily_fontProviderPackage com.socero.loopmerchant:fontProviderPackage}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamily_fontProviderQuery com.socero.loopmerchant:fontProviderQuery}</code></td><td></td></tr> * </table> * @see #FontFamily_fontProviderAuthority * @see #FontFamily_fontProviderCerts * @see #FontFamily_fontProviderFetchStrategy * @see #FontFamily_fontProviderFetchTimeout * @see #FontFamily_fontProviderPackage * @see #FontFamily_fontProviderQuery */ public static final int[] FontFamily={ 0x7f0400b9, 0x7f0400ba, 0x7f0400bb, 0x7f0400bc, 0x7f0400bd, 0x7f0400be }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontProviderAuthority} * attribute's value can be found in the {@link #FontFamily} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:fontProviderAuthority */ public static final int FontFamily_fontProviderAuthority=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontProviderCerts} * attribute's value can be found in the {@link #FontFamily} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fontProviderCerts */ public static final int FontFamily_fontProviderCerts=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontProviderFetchStrategy} * attribute's value can be found in the {@link #FontFamily} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>async</td><td>1</td><td></td></tr> * <tr><td>blocking</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:fontProviderFetchStrategy */ public static final int FontFamily_fontProviderFetchStrategy=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontProviderFetchTimeout} * attribute's value can be found in the {@link #FontFamily} array. * * <p>May be an integer value, such as "<code>100</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>forever</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:fontProviderFetchTimeout */ public static final int FontFamily_fontProviderFetchTimeout=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontProviderPackage} * attribute's value can be found in the {@link #FontFamily} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:fontProviderPackage */ public static final int FontFamily_fontProviderPackage=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontProviderQuery} * attribute's value can be found in the {@link #FontFamily} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:fontProviderQuery */ public static final int FontFamily_fontProviderQuery=5; /** * Attributes that can be used with a FontFamilyFont. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #FontFamilyFont_android_font android:font}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_fontWeight android:fontWeight}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_fontStyle android:fontStyle}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_font com.socero.loopmerchant:font}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_fontStyle com.socero.loopmerchant:fontStyle}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_fontWeight com.socero.loopmerchant:fontWeight}</code></td><td></td></tr> * </table> * @see #FontFamilyFont_android_font * @see #FontFamilyFont_android_fontWeight * @see #FontFamilyFont_android_fontStyle * @see #FontFamilyFont_font * @see #FontFamilyFont_fontStyle * @see #FontFamilyFont_fontWeight */ public static final int[] FontFamilyFont={ 0x01010532, 0x01010533, 0x0101053f, 0x7f0400b7, 0x7f0400bf, 0x7f0400c0 }; /** * <p>This symbol is the offset where the {@link android.R.attr#font} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:font */ public static final int FontFamilyFont_android_font=0; /** * <p>This symbol is the offset where the {@link android.R.attr#fontWeight} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:fontWeight */ public static final int FontFamilyFont_android_fontWeight=1; /** * <p>This symbol is the offset where the {@link android.R.attr#fontStyle} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>italic</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name android:fontStyle */ public static final int FontFamilyFont_android_fontStyle=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#font} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:font */ public static final int FontFamilyFont_font=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontStyle} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>italic</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:fontStyle */ public static final int FontFamilyFont_fontStyle=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontWeight} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:fontWeight */ public static final int FontFamilyFont_fontWeight=5; /** * Attributes that can be used with a ForegroundLinearLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ForegroundLinearLayout_android_foreground android:foreground}</code></td><td></td></tr> * <tr><td><code>{@link #ForegroundLinearLayout_android_foregroundGravity android:foregroundGravity}</code></td><td></td></tr> * <tr><td><code>{@link #ForegroundLinearLayout_foregroundInsidePadding com.socero.loopmerchant:foregroundInsidePadding}</code></td><td></td></tr> * </table> * @see #ForegroundLinearLayout_android_foreground * @see #ForegroundLinearLayout_android_foregroundGravity * @see #ForegroundLinearLayout_foregroundInsidePadding */ public static final int[] ForegroundLinearLayout={ 0x01010109, 0x01010200, 0x7f0400c1 }; /** * <p>This symbol is the offset where the {@link android.R.attr#foreground} * attribute's value can be found in the {@link #ForegroundLinearLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:foreground */ public static final int ForegroundLinearLayout_android_foreground=0; /** * <p>This symbol is the offset where the {@link android.R.attr#foregroundGravity} * attribute's value can be found in the {@link #ForegroundLinearLayout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:foregroundGravity */ public static final int ForegroundLinearLayout_android_foregroundGravity=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#foregroundInsidePadding} * attribute's value can be found in the {@link #ForegroundLinearLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:foregroundInsidePadding */ public static final int ForegroundLinearLayout_foregroundInsidePadding=2; /** * Attributes that can be used with a GenericDraweeHierarchy. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_actualImageScaleType com.socero.loopmerchant:actualImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_backgroundImage com.socero.loopmerchant:backgroundImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_fadeDuration com.socero.loopmerchant:fadeDuration}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_failureImage com.socero.loopmerchant:failureImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_failureImageScaleType com.socero.loopmerchant:failureImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_overlayImage com.socero.loopmerchant:overlayImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_placeholderImage com.socero.loopmerchant:placeholderImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_placeholderImageScaleType com.socero.loopmerchant:placeholderImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_pressedStateOverlayImage com.socero.loopmerchant:pressedStateOverlayImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_progressBarAutoRotateInterval com.socero.loopmerchant:progressBarAutoRotateInterval}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_progressBarImage com.socero.loopmerchant:progressBarImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_progressBarImageScaleType com.socero.loopmerchant:progressBarImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_retryImage com.socero.loopmerchant:retryImage}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_retryImageScaleType com.socero.loopmerchant:retryImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundAsCircle com.socero.loopmerchant:roundAsCircle}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomEnd com.socero.loopmerchant:roundBottomEnd}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomLeft com.socero.loopmerchant:roundBottomLeft}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomRight com.socero.loopmerchant:roundBottomRight}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomStart com.socero.loopmerchant:roundBottomStart}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopEnd com.socero.loopmerchant:roundTopEnd}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopLeft com.socero.loopmerchant:roundTopLeft}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopRight com.socero.loopmerchant:roundTopRight}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopStart com.socero.loopmerchant:roundTopStart}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundWithOverlayColor com.socero.loopmerchant:roundWithOverlayColor}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundedCornerRadius com.socero.loopmerchant:roundedCornerRadius}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundingBorderColor com.socero.loopmerchant:roundingBorderColor}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundingBorderPadding com.socero.loopmerchant:roundingBorderPadding}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundingBorderWidth com.socero.loopmerchant:roundingBorderWidth}</code></td><td></td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_viewAspectRatio com.socero.loopmerchant:viewAspectRatio}</code></td><td></td></tr> * </table> * @see #GenericDraweeHierarchy_actualImageScaleType * @see #GenericDraweeHierarchy_backgroundImage * @see #GenericDraweeHierarchy_fadeDuration * @see #GenericDraweeHierarchy_failureImage * @see #GenericDraweeHierarchy_failureImageScaleType * @see #GenericDraweeHierarchy_overlayImage * @see #GenericDraweeHierarchy_placeholderImage * @see #GenericDraweeHierarchy_placeholderImageScaleType * @see #GenericDraweeHierarchy_pressedStateOverlayImage * @see #GenericDraweeHierarchy_progressBarAutoRotateInterval * @see #GenericDraweeHierarchy_progressBarImage * @see #GenericDraweeHierarchy_progressBarImageScaleType * @see #GenericDraweeHierarchy_retryImage * @see #GenericDraweeHierarchy_retryImageScaleType * @see #GenericDraweeHierarchy_roundAsCircle * @see #GenericDraweeHierarchy_roundBottomEnd * @see #GenericDraweeHierarchy_roundBottomLeft * @see #GenericDraweeHierarchy_roundBottomRight * @see #GenericDraweeHierarchy_roundBottomStart * @see #GenericDraweeHierarchy_roundTopEnd * @see #GenericDraweeHierarchy_roundTopLeft * @see #GenericDraweeHierarchy_roundTopRight * @see #GenericDraweeHierarchy_roundTopStart * @see #GenericDraweeHierarchy_roundWithOverlayColor * @see #GenericDraweeHierarchy_roundedCornerRadius * @see #GenericDraweeHierarchy_roundingBorderColor * @see #GenericDraweeHierarchy_roundingBorderPadding * @see #GenericDraweeHierarchy_roundingBorderWidth * @see #GenericDraweeHierarchy_viewAspectRatio */ public static final int[] GenericDraweeHierarchy={ 0x7f040024, 0x7f040039, 0x7f0400af, 0x7f0400b0, 0x7f0400b1, 0x7f040128, 0x7f040135, 0x7f040136, 0x7f04013b, 0x7f04013d, 0x7f04013e, 0x7f04013f, 0x7f040148, 0x7f040149, 0x7f04014c, 0x7f04014d, 0x7f04014e, 0x7f04014f, 0x7f040150, 0x7f040151, 0x7f040152, 0x7f040153, 0x7f040154, 0x7f040155, 0x7f040156, 0x7f040157, 0x7f040158, 0x7f040159, 0x7f0401bd }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actualImageScaleType} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:actualImageScaleType */ public static final int GenericDraweeHierarchy_actualImageScaleType=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:backgroundImage */ public static final int GenericDraweeHierarchy_backgroundImage=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fadeDuration} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:fadeDuration */ public static final int GenericDraweeHierarchy_fadeDuration=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#failureImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:failureImage */ public static final int GenericDraweeHierarchy_failureImage=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#failureImageScaleType} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:failureImageScaleType */ public static final int GenericDraweeHierarchy_failureImageScaleType=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#overlayImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:overlayImage */ public static final int GenericDraweeHierarchy_overlayImage=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#placeholderImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:placeholderImage */ public static final int GenericDraweeHierarchy_placeholderImage=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#placeholderImageScaleType} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:placeholderImageScaleType */ public static final int GenericDraweeHierarchy_placeholderImageScaleType=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#pressedStateOverlayImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:pressedStateOverlayImage */ public static final int GenericDraweeHierarchy_pressedStateOverlayImage=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarAutoRotateInterval} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:progressBarAutoRotateInterval */ public static final int GenericDraweeHierarchy_progressBarAutoRotateInterval=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:progressBarImage */ public static final int GenericDraweeHierarchy_progressBarImage=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarImageScaleType} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:progressBarImageScaleType */ public static final int GenericDraweeHierarchy_progressBarImageScaleType=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#retryImage} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:retryImage */ public static final int GenericDraweeHierarchy_retryImage=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#retryImageScaleType} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:retryImageScaleType */ public static final int GenericDraweeHierarchy_retryImageScaleType=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundAsCircle} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundAsCircle */ public static final int GenericDraweeHierarchy_roundAsCircle=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomEnd} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomEnd */ public static final int GenericDraweeHierarchy_roundBottomEnd=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomLeft} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomLeft */ public static final int GenericDraweeHierarchy_roundBottomLeft=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomRight} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomRight */ public static final int GenericDraweeHierarchy_roundBottomRight=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomStart} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomStart */ public static final int GenericDraweeHierarchy_roundBottomStart=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopEnd} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopEnd */ public static final int GenericDraweeHierarchy_roundTopEnd=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopLeft} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopLeft */ public static final int GenericDraweeHierarchy_roundTopLeft=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopRight} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopRight */ public static final int GenericDraweeHierarchy_roundTopRight=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopStart} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopStart */ public static final int GenericDraweeHierarchy_roundTopStart=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundWithOverlayColor} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:roundWithOverlayColor */ public static final int GenericDraweeHierarchy_roundWithOverlayColor=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundedCornerRadius} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:roundedCornerRadius */ public static final int GenericDraweeHierarchy_roundedCornerRadius=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundingBorderColor} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:roundingBorderColor */ public static final int GenericDraweeHierarchy_roundingBorderColor=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundingBorderPadding} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:roundingBorderPadding */ public static final int GenericDraweeHierarchy_roundingBorderPadding=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundingBorderWidth} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:roundingBorderWidth */ public static final int GenericDraweeHierarchy_roundingBorderWidth=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#viewAspectRatio} * attribute's value can be found in the {@link #GenericDraweeHierarchy} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.socero.loopmerchant:viewAspectRatio */ public static final int GenericDraweeHierarchy_viewAspectRatio=28; /** * Attributes that can be used with a LinearLayoutCompat. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_gravity android:gravity}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_orientation android:orientation}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_baselineAligned android:baselineAligned}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_baselineAlignedChildIndex android:baselineAlignedChildIndex}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_weightSum android:weightSum}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_divider com.socero.loopmerchant:divider}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_dividerPadding com.socero.loopmerchant:dividerPadding}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild com.socero.loopmerchant:measureWithLargestChild}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_showDividers com.socero.loopmerchant:showDividers}</code></td><td></td></tr> * </table> * @see #LinearLayoutCompat_android_gravity * @see #LinearLayoutCompat_android_orientation * @see #LinearLayoutCompat_android_baselineAligned * @see #LinearLayoutCompat_android_baselineAlignedChildIndex * @see #LinearLayoutCompat_android_weightSum * @see #LinearLayoutCompat_divider * @see #LinearLayoutCompat_dividerPadding * @see #LinearLayoutCompat_measureWithLargestChild * @see #LinearLayoutCompat_showDividers */ public static final int[] LinearLayoutCompat={ 0x010100af, 0x010100c4, 0x01010126, 0x01010127, 0x01010128, 0x7f040082, 0x7f040084, 0x7f0400f9, 0x7f040165 }; /** * <p>This symbol is the offset where the {@link android.R.attr#gravity} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:gravity */ public static final int LinearLayoutCompat_android_gravity=0; /** * <p>This symbol is the offset where the {@link android.R.attr#orientation} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>horizontal</td><td>0</td><td></td></tr> * <tr><td>vertical</td><td>1</td><td></td></tr> * </table> * * @attr name android:orientation */ public static final int LinearLayoutCompat_android_orientation=1; /** * <p>This symbol is the offset where the {@link android.R.attr#baselineAligned} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:baselineAligned */ public static final int LinearLayoutCompat_android_baselineAligned=2; /** * <p>This symbol is the offset where the {@link android.R.attr#baselineAlignedChildIndex} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:baselineAlignedChildIndex */ public static final int LinearLayoutCompat_android_baselineAlignedChildIndex=3; /** * <p>This symbol is the offset where the {@link android.R.attr#weightSum} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:weightSum */ public static final int LinearLayoutCompat_android_weightSum=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#divider} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:divider */ public static final int LinearLayoutCompat_divider=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#dividerPadding} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:dividerPadding */ public static final int LinearLayoutCompat_dividerPadding=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#measureWithLargestChild} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:measureWithLargestChild */ public static final int LinearLayoutCompat_measureWithLargestChild=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#showDividers} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>beginning</td><td>1</td><td></td></tr> * <tr><td>end</td><td>4</td><td></td></tr> * <tr><td>middle</td><td>2</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:showDividers */ public static final int LinearLayoutCompat_showDividers=8; /** * Attributes that can be used with a LinearLayoutCompat_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_width android:layout_width}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_height android:layout_height}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_weight android:layout_weight}</code></td><td></td></tr> * </table> * @see #LinearLayoutCompat_Layout_android_layout_gravity * @see #LinearLayoutCompat_Layout_android_layout_width * @see #LinearLayoutCompat_Layout_android_layout_height * @see #LinearLayoutCompat_Layout_android_layout_weight */ public static final int[] LinearLayoutCompat_Layout={ 0x010100b3, 0x010100f4, 0x010100f5, 0x01010181 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:layout_gravity */ public static final int LinearLayoutCompat_Layout_android_layout_gravity=0; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_width} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>match_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr> * </table> * * @attr name android:layout_width */ public static final int LinearLayoutCompat_Layout_android_layout_width=1; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_height} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>match_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr> * </table> * * @attr name android:layout_height */ public static final int LinearLayoutCompat_Layout_android_layout_height=2; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_weight} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:layout_weight */ public static final int LinearLayoutCompat_Layout_android_layout_weight=3; /** * Attributes that can be used with a ListPopupWindow. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ListPopupWindow_android_dropDownHorizontalOffset android:dropDownHorizontalOffset}</code></td><td></td></tr> * <tr><td><code>{@link #ListPopupWindow_android_dropDownVerticalOffset android:dropDownVerticalOffset}</code></td><td></td></tr> * </table> * @see #ListPopupWindow_android_dropDownHorizontalOffset * @see #ListPopupWindow_android_dropDownVerticalOffset */ public static final int[] ListPopupWindow={ 0x010102ac, 0x010102ad }; /** * <p>This symbol is the offset where the {@link android.R.attr#dropDownHorizontalOffset} * attribute's value can be found in the {@link #ListPopupWindow} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:dropDownHorizontalOffset */ public static final int ListPopupWindow_android_dropDownHorizontalOffset=0; /** * <p>This symbol is the offset where the {@link android.R.attr#dropDownVerticalOffset} * attribute's value can be found in the {@link #ListPopupWindow} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:dropDownVerticalOffset */ public static final int ListPopupWindow_android_dropDownVerticalOffset=1; /** * Attributes that can be used with a LoadingImageView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #LoadingImageView_circleCrop com.socero.loopmerchant:circleCrop}</code></td><td></td></tr> * <tr><td><code>{@link #LoadingImageView_imageAspectRatio com.socero.loopmerchant:imageAspectRatio}</code></td><td></td></tr> * <tr><td><code>{@link #LoadingImageView_imageAspectRatioAdjust com.socero.loopmerchant:imageAspectRatioAdjust}</code></td><td></td></tr> * </table> * @see #LoadingImageView_circleCrop * @see #LoadingImageView_imageAspectRatio * @see #LoadingImageView_imageAspectRatioAdjust */ public static final int[] LoadingImageView={ 0x7f040057, 0x7f0400d0, 0x7f0400d1 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#circleCrop} * attribute's value can be found in the {@link #LoadingImageView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:circleCrop */ public static final int LoadingImageView_circleCrop=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#imageAspectRatio} * attribute's value can be found in the {@link #LoadingImageView} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.socero.loopmerchant:imageAspectRatio */ public static final int LoadingImageView_imageAspectRatio=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#imageAspectRatioAdjust} * attribute's value can be found in the {@link #LoadingImageView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>adjust_height</td><td>2</td><td></td></tr> * <tr><td>adjust_width</td><td>1</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:imageAspectRatioAdjust */ public static final int LoadingImageView_imageAspectRatioAdjust=2; /** * Attributes that can be used with a MenuGroup. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #MenuGroup_android_enabled android:enabled}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_menuCategory android:menuCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_orderInCategory android:orderInCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></tr> * </table> * @see #MenuGroup_android_enabled * @see #MenuGroup_android_id * @see #MenuGroup_android_visible * @see #MenuGroup_android_menuCategory * @see #MenuGroup_android_orderInCategory * @see #MenuGroup_android_checkableBehavior */ public static final int[] MenuGroup={ 0x0101000e, 0x010100d0, 0x01010194, 0x010101de, 0x010101df, 0x010101e0 }; /** * <p>This symbol is the offset where the {@link android.R.attr#enabled} * attribute's value can be found in the {@link #MenuGroup} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:enabled */ public static final int MenuGroup_android_enabled=0; /** * <p>This symbol is the offset where the {@link android.R.attr#id} * attribute's value can be found in the {@link #MenuGroup} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int MenuGroup_android_id=1; /** * <p>This symbol is the offset where the {@link android.R.attr#visible} * attribute's value can be found in the {@link #MenuGroup} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int MenuGroup_android_visible=2; /** * <p>This symbol is the offset where the {@link android.R.attr#menuCategory} * attribute's value can be found in the {@link #MenuGroup} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>alternative</td><td>40000</td><td></td></tr> * <tr><td>container</td><td>10000</td><td></td></tr> * <tr><td>secondary</td><td>30000</td><td></td></tr> * <tr><td>system</td><td>20000</td><td></td></tr> * </table> * * @attr name android:menuCategory */ public static final int MenuGroup_android_menuCategory=3; /** * <p>This symbol is the offset where the {@link android.R.attr#orderInCategory} * attribute's value can be found in the {@link #MenuGroup} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:orderInCategory */ public static final int MenuGroup_android_orderInCategory=4; /** * <p>This symbol is the offset where the {@link android.R.attr#checkableBehavior} * attribute's value can be found in the {@link #MenuGroup} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>all</td><td>1</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>single</td><td>2</td><td></td></tr> * </table> * * @attr name android:checkableBehavior */ public static final int MenuGroup_android_checkableBehavior=5; /** * Attributes that can be used with a MenuItem. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #MenuItem_android_icon android:icon}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_enabled android:enabled}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_checked android:checked}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_menuCategory android:menuCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_orderInCategory android:orderInCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_title android:title}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_titleCondensed android:titleCondensed}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_alphabeticShortcut android:alphabeticShortcut}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_numericShortcut android:numericShortcut}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_checkable android:checkable}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_onClick android:onClick}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_actionLayout com.socero.loopmerchant:actionLayout}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_actionProviderClass com.socero.loopmerchant:actionProviderClass}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_actionViewClass com.socero.loopmerchant:actionViewClass}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_alphabeticModifiers com.socero.loopmerchant:alphabeticModifiers}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_contentDescription com.socero.loopmerchant:contentDescription}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_iconTint com.socero.loopmerchant:iconTint}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_iconTintMode com.socero.loopmerchant:iconTintMode}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_numericModifiers com.socero.loopmerchant:numericModifiers}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_showAsAction com.socero.loopmerchant:showAsAction}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_tooltipText com.socero.loopmerchant:tooltipText}</code></td><td></td></tr> * </table> * @see #MenuItem_android_icon * @see #MenuItem_android_enabled * @see #MenuItem_android_id * @see #MenuItem_android_checked * @see #MenuItem_android_visible * @see #MenuItem_android_menuCategory * @see #MenuItem_android_orderInCategory * @see #MenuItem_android_title * @see #MenuItem_android_titleCondensed * @see #MenuItem_android_alphabeticShortcut * @see #MenuItem_android_numericShortcut * @see #MenuItem_android_checkable * @see #MenuItem_android_onClick * @see #MenuItem_actionLayout * @see #MenuItem_actionProviderClass * @see #MenuItem_actionViewClass * @see #MenuItem_alphabeticModifiers * @see #MenuItem_contentDescription * @see #MenuItem_iconTint * @see #MenuItem_iconTintMode * @see #MenuItem_numericModifiers * @see #MenuItem_showAsAction * @see #MenuItem_tooltipText */ public static final int[] MenuItem={ 0x01010002, 0x0101000e, 0x010100d0, 0x01010106, 0x01010194, 0x010101de, 0x010101df, 0x010101e1, 0x010101e2, 0x010101e3, 0x010101e4, 0x010101e5, 0x0101026f, 0x7f04000e, 0x7f040020, 0x7f040021, 0x7f04002f, 0x7f04006e, 0x7f0400cd, 0x7f0400ce, 0x7f040126, 0x7f040164, 0x7f0401b7 }; /** * <p>This symbol is the offset where the {@link android.R.attr#icon} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:icon */ public static final int MenuItem_android_icon=0; /** * <p>This symbol is the offset where the {@link android.R.attr#enabled} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:enabled */ public static final int MenuItem_android_enabled=1; /** * <p>This symbol is the offset where the {@link android.R.attr#id} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int MenuItem_android_id=2; /** * <p>This symbol is the offset where the {@link android.R.attr#checked} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:checked */ public static final int MenuItem_android_checked=3; /** * <p>This symbol is the offset where the {@link android.R.attr#visible} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int MenuItem_android_visible=4; /** * <p>This symbol is the offset where the {@link android.R.attr#menuCategory} * attribute's value can be found in the {@link #MenuItem} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>alternative</td><td>40000</td><td></td></tr> * <tr><td>container</td><td>10000</td><td></td></tr> * <tr><td>secondary</td><td>30000</td><td></td></tr> * <tr><td>system</td><td>20000</td><td></td></tr> * </table> * * @attr name android:menuCategory */ public static final int MenuItem_android_menuCategory=5; /** * <p>This symbol is the offset where the {@link android.R.attr#orderInCategory} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:orderInCategory */ public static final int MenuItem_android_orderInCategory=6; /** * <p>This symbol is the offset where the {@link android.R.attr#title} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:title */ public static final int MenuItem_android_title=7; /** * <p>This symbol is the offset where the {@link android.R.attr#titleCondensed} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:titleCondensed */ public static final int MenuItem_android_titleCondensed=8; /** * <p>This symbol is the offset where the {@link android.R.attr#alphabeticShortcut} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:alphabeticShortcut */ public static final int MenuItem_android_alphabeticShortcut=9; /** * <p>This symbol is the offset where the {@link android.R.attr#numericShortcut} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:numericShortcut */ public static final int MenuItem_android_numericShortcut=10; /** * <p>This symbol is the offset where the {@link android.R.attr#checkable} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:checkable */ public static final int MenuItem_android_checkable=11; /** * <p>This symbol is the offset where the {@link android.R.attr#onClick} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:onClick */ public static final int MenuItem_android_onClick=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionLayout} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actionLayout */ public static final int MenuItem_actionLayout=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionProviderClass} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:actionProviderClass */ public static final int MenuItem_actionProviderClass=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actionViewClass} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:actionViewClass */ public static final int MenuItem_actionViewClass=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#alphabeticModifiers} * attribute's value can be found in the {@link #MenuItem} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:alphabeticModifiers */ public static final int MenuItem_alphabeticModifiers=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentDescription} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:contentDescription */ public static final int MenuItem_contentDescription=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#iconTint} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:iconTint */ public static final int MenuItem_iconTint=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#iconTintMode} * attribute's value can be found in the {@link #MenuItem} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:iconTintMode */ public static final int MenuItem_iconTintMode=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#numericModifiers} * attribute's value can be found in the {@link #MenuItem} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:numericModifiers */ public static final int MenuItem_numericModifiers=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#showAsAction} * attribute's value can be found in the {@link #MenuItem} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>always</td><td>2</td><td></td></tr> * <tr><td>collapseActionView</td><td>8</td><td></td></tr> * <tr><td>ifRoom</td><td>1</td><td></td></tr> * <tr><td>never</td><td>0</td><td></td></tr> * <tr><td>withText</td><td>4</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:showAsAction */ public static final int MenuItem_showAsAction=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tooltipText} * attribute's value can be found in the {@link #MenuItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:tooltipText */ public static final int MenuItem_tooltipText=22; /** * Attributes that can be used with a MenuView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #MenuView_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_itemTextAppearance android:itemTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_horizontalDivider android:horizontalDivider}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_verticalDivider android:verticalDivider}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_headerBackground android:headerBackground}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_itemBackground android:itemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_itemIconDisabledAlpha android:itemIconDisabledAlpha}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_preserveIconSpacing com.socero.loopmerchant:preserveIconSpacing}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_subMenuArrow com.socero.loopmerchant:subMenuArrow}</code></td><td></td></tr> * </table> * @see #MenuView_android_windowAnimationStyle * @see #MenuView_android_itemTextAppearance * @see #MenuView_android_horizontalDivider * @see #MenuView_android_verticalDivider * @see #MenuView_android_headerBackground * @see #MenuView_android_itemBackground * @see #MenuView_android_itemIconDisabledAlpha * @see #MenuView_preserveIconSpacing * @see #MenuView_subMenuArrow */ public static final int[] MenuView={ 0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e, 0x0101012f, 0x01010130, 0x01010131, 0x7f04013a, 0x7f040175 }; /** * <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:windowAnimationStyle */ public static final int MenuView_android_windowAnimationStyle=0; /** * <p>This symbol is the offset where the {@link android.R.attr#itemTextAppearance} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:itemTextAppearance */ public static final int MenuView_android_itemTextAppearance=1; /** * <p>This symbol is the offset where the {@link android.R.attr#horizontalDivider} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:horizontalDivider */ public static final int MenuView_android_horizontalDivider=2; /** * <p>This symbol is the offset where the {@link android.R.attr#verticalDivider} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:verticalDivider */ public static final int MenuView_android_verticalDivider=3; /** * <p>This symbol is the offset where the {@link android.R.attr#headerBackground} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:headerBackground */ public static final int MenuView_android_headerBackground=4; /** * <p>This symbol is the offset where the {@link android.R.attr#itemBackground} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:itemBackground */ public static final int MenuView_android_itemBackground=5; /** * <p>This symbol is the offset where the {@link android.R.attr#itemIconDisabledAlpha} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:itemIconDisabledAlpha */ public static final int MenuView_android_itemIconDisabledAlpha=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#preserveIconSpacing} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:preserveIconSpacing */ public static final int MenuView_preserveIconSpacing=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subMenuArrow} * attribute's value can be found in the {@link #MenuView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:subMenuArrow */ public static final int MenuView_subMenuArrow=8; /** * Attributes that can be used with a NavigationView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #NavigationView_android_background android:background}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_android_fitsSystemWindows android:fitsSystemWindows}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_android_maxWidth android:maxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_elevation com.socero.loopmerchant:elevation}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_headerLayout com.socero.loopmerchant:headerLayout}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemBackground com.socero.loopmerchant:itemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemIconTint com.socero.loopmerchant:itemIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemTextAppearance com.socero.loopmerchant:itemTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemTextColor com.socero.loopmerchant:itemTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_menu com.socero.loopmerchant:menu}</code></td><td></td></tr> * </table> * @see #NavigationView_android_background * @see #NavigationView_android_fitsSystemWindows * @see #NavigationView_android_maxWidth * @see #NavigationView_elevation * @see #NavigationView_headerLayout * @see #NavigationView_itemBackground * @see #NavigationView_itemIconTint * @see #NavigationView_itemTextAppearance * @see #NavigationView_itemTextColor * @see #NavigationView_menu */ public static final int[] NavigationView={ 0x010100d4, 0x010100dd, 0x0101011f, 0x7f04008d, 0x7f0400c4, 0x7f0400d8, 0x7f0400d9, 0x7f0400db, 0x7f0400dc, 0x7f0400fa }; /** * <p>This symbol is the offset where the {@link android.R.attr#background} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:background */ public static final int NavigationView_android_background=0; /** * <p>This symbol is the offset where the {@link android.R.attr#fitsSystemWindows} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:fitsSystemWindows */ public static final int NavigationView_android_fitsSystemWindows=1; /** * <p>This symbol is the offset where the {@link android.R.attr#maxWidth} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:maxWidth */ public static final int NavigationView_android_maxWidth=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#elevation} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:elevation */ public static final int NavigationView_elevation=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#headerLayout} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:headerLayout */ public static final int NavigationView_headerLayout=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemBackground} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:itemBackground */ public static final int NavigationView_itemBackground=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemIconTint} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:itemIconTint */ public static final int NavigationView_itemIconTint=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemTextAppearance} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:itemTextAppearance */ public static final int NavigationView_itemTextAppearance=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#itemTextColor} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:itemTextColor */ public static final int NavigationView_itemTextColor=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#menu} * attribute's value can be found in the {@link #NavigationView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:menu */ public static final int NavigationView_menu=9; /** * Attributes that can be used with a PopupWindow. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #PopupWindow_android_popupBackground android:popupBackground}</code></td><td></td></tr> * <tr><td><code>{@link #PopupWindow_android_popupAnimationStyle android:popupAnimationStyle}</code></td><td></td></tr> * <tr><td><code>{@link #PopupWindow_overlapAnchor com.socero.loopmerchant:overlapAnchor}</code></td><td></td></tr> * </table> * @see #PopupWindow_android_popupBackground * @see #PopupWindow_android_popupAnimationStyle * @see #PopupWindow_overlapAnchor */ public static final int[] PopupWindow={ 0x01010176, 0x010102c9, 0x7f040127 }; /** * <p>This symbol is the offset where the {@link android.R.attr#popupBackground} * attribute's value can be found in the {@link #PopupWindow} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:popupBackground */ public static final int PopupWindow_android_popupBackground=0; /** * <p>This symbol is the offset where the {@link android.R.attr#popupAnimationStyle} * attribute's value can be found in the {@link #PopupWindow} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:popupAnimationStyle */ public static final int PopupWindow_android_popupAnimationStyle=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#overlapAnchor} * attribute's value can be found in the {@link #PopupWindow} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:overlapAnchor */ public static final int PopupWindow_overlapAnchor=2; /** * Attributes that can be used with a PopupWindowBackgroundState. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #PopupWindowBackgroundState_state_above_anchor com.socero.loopmerchant:state_above_anchor}</code></td><td></td></tr> * </table> * @see #PopupWindowBackgroundState_state_above_anchor */ public static final int[] PopupWindowBackgroundState={ 0x7f040170 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#state_above_anchor} * attribute's value can be found in the {@link #PopupWindowBackgroundState} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:state_above_anchor */ public static final int PopupWindowBackgroundState_state_above_anchor=0; /** * Attributes that can be used with a RecycleListView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #RecycleListView_paddingBottomNoButtons com.socero.loopmerchant:paddingBottomNoButtons}</code></td><td></td></tr> * <tr><td><code>{@link #RecycleListView_paddingTopNoTitle com.socero.loopmerchant:paddingTopNoTitle}</code></td><td></td></tr> * </table> * @see #RecycleListView_paddingBottomNoButtons * @see #RecycleListView_paddingTopNoTitle */ public static final int[] RecycleListView={ 0x7f040129, 0x7f04012c }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#paddingBottomNoButtons} * attribute's value can be found in the {@link #RecycleListView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:paddingBottomNoButtons */ public static final int RecycleListView_paddingBottomNoButtons=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#paddingTopNoTitle} * attribute's value can be found in the {@link #RecycleListView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:paddingTopNoTitle */ public static final int RecycleListView_paddingTopNoTitle=1; /** * Attributes that can be used with a RecyclerView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #RecyclerView_android_orientation android:orientation}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_android_descendantFocusability android:descendantFocusability}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollEnabled com.socero.loopmerchant:fastScrollEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollHorizontalThumbDrawable com.socero.loopmerchant:fastScrollHorizontalThumbDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollHorizontalTrackDrawable com.socero.loopmerchant:fastScrollHorizontalTrackDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollVerticalThumbDrawable com.socero.loopmerchant:fastScrollVerticalThumbDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollVerticalTrackDrawable com.socero.loopmerchant:fastScrollVerticalTrackDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_layoutManager com.socero.loopmerchant:layoutManager}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_reverseLayout com.socero.loopmerchant:reverseLayout}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_spanCount com.socero.loopmerchant:spanCount}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_stackFromEnd com.socero.loopmerchant:stackFromEnd}</code></td><td></td></tr> * </table> * @see #RecyclerView_android_orientation * @see #RecyclerView_android_descendantFocusability * @see #RecyclerView_fastScrollEnabled * @see #RecyclerView_fastScrollHorizontalThumbDrawable * @see #RecyclerView_fastScrollHorizontalTrackDrawable * @see #RecyclerView_fastScrollVerticalThumbDrawable * @see #RecyclerView_fastScrollVerticalTrackDrawable * @see #RecyclerView_layoutManager * @see #RecyclerView_reverseLayout * @see #RecyclerView_spanCount * @see #RecyclerView_stackFromEnd */ public static final int[] RecyclerView={ 0x010100c4, 0x010100f1, 0x7f0400b2, 0x7f0400b3, 0x7f0400b4, 0x7f0400b5, 0x7f0400b6, 0x7f0400df, 0x7f04014a, 0x7f040169, 0x7f04016f }; /** * <p>This symbol is the offset where the {@link android.R.attr#orientation} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>horizontal</td><td>0</td><td></td></tr> * <tr><td>vertical</td><td>1</td><td></td></tr> * </table> * * @attr name android:orientation */ public static final int RecyclerView_android_orientation=0; /** * <p>This symbol is the offset where the {@link android.R.attr#descendantFocusability} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>afterDescendants</td><td>1</td><td></td></tr> * <tr><td>beforeDescendants</td><td>0</td><td></td></tr> * <tr><td>blocksDescendants</td><td>2</td><td></td></tr> * </table> * * @attr name android:descendantFocusability */ public static final int RecyclerView_android_descendantFocusability=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fastScrollEnabled} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:fastScrollEnabled */ public static final int RecyclerView_fastScrollEnabled=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fastScrollHorizontalThumbDrawable} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fastScrollHorizontalThumbDrawable */ public static final int RecyclerView_fastScrollHorizontalThumbDrawable=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fastScrollHorizontalTrackDrawable} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fastScrollHorizontalTrackDrawable */ public static final int RecyclerView_fastScrollHorizontalTrackDrawable=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fastScrollVerticalThumbDrawable} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fastScrollVerticalThumbDrawable */ public static final int RecyclerView_fastScrollVerticalThumbDrawable=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fastScrollVerticalTrackDrawable} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:fastScrollVerticalTrackDrawable */ public static final int RecyclerView_fastScrollVerticalTrackDrawable=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layoutManager} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:layoutManager */ public static final int RecyclerView_layoutManager=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#reverseLayout} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:reverseLayout */ public static final int RecyclerView_reverseLayout=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#spanCount} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:spanCount */ public static final int RecyclerView_spanCount=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#stackFromEnd} * attribute's value can be found in the {@link #RecyclerView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:stackFromEnd */ public static final int RecyclerView_stackFromEnd=10; /** * Attributes that can be used with a ScrimInsetsFrameLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ScrimInsetsFrameLayout_insetForeground com.socero.loopmerchant:insetForeground}</code></td><td></td></tr> * </table> * @see #ScrimInsetsFrameLayout_insetForeground */ public static final int[] ScrimInsetsFrameLayout={ 0x7f0400d6 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#insetForeground} * attribute's value can be found in the {@link #ScrimInsetsFrameLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:insetForeground */ public static final int ScrimInsetsFrameLayout_insetForeground=0; /** * Attributes that can be used with a ScrollingViewBehavior_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ScrollingViewBehavior_Layout_behavior_overlapTop com.socero.loopmerchant:behavior_overlapTop}</code></td><td></td></tr> * </table> * @see #ScrollingViewBehavior_Layout_behavior_overlapTop */ public static final int[] ScrollingViewBehavior_Layout={ 0x7f040041 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#behavior_overlapTop} * attribute's value can be found in the {@link #ScrollingViewBehavior_Layout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:behavior_overlapTop */ public static final int ScrollingViewBehavior_Layout_behavior_overlapTop=0; /** * Attributes that can be used with a SearchView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #SearchView_android_focusable android:focusable}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_android_maxWidth android:maxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_android_inputType android:inputType}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_android_imeOptions android:imeOptions}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_closeIcon com.socero.loopmerchant:closeIcon}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_commitIcon com.socero.loopmerchant:commitIcon}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_defaultQueryHint com.socero.loopmerchant:defaultQueryHint}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_goIcon com.socero.loopmerchant:goIcon}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_iconifiedByDefault com.socero.loopmerchant:iconifiedByDefault}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_layout com.socero.loopmerchant:layout}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_queryBackground com.socero.loopmerchant:queryBackground}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_queryHint com.socero.loopmerchant:queryHint}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_searchHintIcon com.socero.loopmerchant:searchHintIcon}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_searchIcon com.socero.loopmerchant:searchIcon}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_submitBackground com.socero.loopmerchant:submitBackground}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_suggestionRowLayout com.socero.loopmerchant:suggestionRowLayout}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_voiceIcon com.socero.loopmerchant:voiceIcon}</code></td><td></td></tr> * </table> * @see #SearchView_android_focusable * @see #SearchView_android_maxWidth * @see #SearchView_android_inputType * @see #SearchView_android_imeOptions * @see #SearchView_closeIcon * @see #SearchView_commitIcon * @see #SearchView_defaultQueryHint * @see #SearchView_goIcon * @see #SearchView_iconifiedByDefault * @see #SearchView_layout * @see #SearchView_queryBackground * @see #SearchView_queryHint * @see #SearchView_searchHintIcon * @see #SearchView_searchIcon * @see #SearchView_submitBackground * @see #SearchView_suggestionRowLayout * @see #SearchView_voiceIcon */ public static final int[] SearchView={ 0x010100da, 0x0101011f, 0x01010220, 0x01010264, 0x7f040058, 0x7f04006d, 0x7f04007d, 0x7f0400c3, 0x7f0400cf, 0x7f0400de, 0x7f040142, 0x7f040143, 0x7f04015d, 0x7f04015e, 0x7f040176, 0x7f04017b, 0x7f0401bf }; /** * <p>This symbol is the offset where the {@link android.R.attr#focusable} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>10</td><td></td></tr> * </table> * * @attr name android:focusable */ public static final int SearchView_android_focusable=0; /** * <p>This symbol is the offset where the {@link android.R.attr#maxWidth} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:maxWidth */ public static final int SearchView_android_maxWidth=1; /** * <p>This symbol is the offset where the {@link android.R.attr#inputType} * attribute's value can be found in the {@link #SearchView} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>date</td><td>14</td><td></td></tr> * <tr><td>datetime</td><td>4</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>number</td><td>2</td><td></td></tr> * <tr><td>numberDecimal</td><td>2002</td><td></td></tr> * <tr><td>numberPassword</td><td>12</td><td></td></tr> * <tr><td>numberSigned</td><td>1002</td><td></td></tr> * <tr><td>phone</td><td>3</td><td></td></tr> * <tr><td>text</td><td>1</td><td></td></tr> * <tr><td>textAutoComplete</td><td>10001</td><td></td></tr> * <tr><td>textAutoCorrect</td><td>8001</td><td></td></tr> * <tr><td>textCapCharacters</td><td>1001</td><td></td></tr> * <tr><td>textCapSentences</td><td>4001</td><td></td></tr> * <tr><td>textCapWords</td><td>2001</td><td></td></tr> * <tr><td>textEmailAddress</td><td>21</td><td></td></tr> * <tr><td>textEmailSubject</td><td>31</td><td></td></tr> * <tr><td>textFilter</td><td>b1</td><td></td></tr> * <tr><td>textImeMultiLine</td><td>40001</td><td></td></tr> * <tr><td>textLongMessage</td><td>51</td><td></td></tr> * <tr><td>textMultiLine</td><td>20001</td><td></td></tr> * <tr><td>textNoSuggestions</td><td>80001</td><td></td></tr> * <tr><td>textPassword</td><td>81</td><td></td></tr> * <tr><td>textPersonName</td><td>61</td><td></td></tr> * <tr><td>textPhonetic</td><td>c1</td><td></td></tr> * <tr><td>textPostalAddress</td><td>71</td><td></td></tr> * <tr><td>textShortMessage</td><td>41</td><td></td></tr> * <tr><td>textUri</td><td>11</td><td></td></tr> * <tr><td>textVisiblePassword</td><td>91</td><td></td></tr> * <tr><td>textWebEditText</td><td>a1</td><td></td></tr> * <tr><td>textWebEmailAddress</td><td>d1</td><td></td></tr> * <tr><td>textWebPassword</td><td>e1</td><td></td></tr> * <tr><td>time</td><td>24</td><td></td></tr> * </table> * * @attr name android:inputType */ public static final int SearchView_android_inputType=2; /** * <p>This symbol is the offset where the {@link android.R.attr#imeOptions} * attribute's value can be found in the {@link #SearchView} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>actionDone</td><td>6</td><td></td></tr> * <tr><td>actionGo</td><td>2</td><td></td></tr> * <tr><td>actionNext</td><td>5</td><td></td></tr> * <tr><td>actionNone</td><td>1</td><td></td></tr> * <tr><td>actionPrevious</td><td>7</td><td></td></tr> * <tr><td>actionSearch</td><td>3</td><td></td></tr> * <tr><td>actionSend</td><td>4</td><td></td></tr> * <tr><td>actionUnspecified</td><td>0</td><td></td></tr> * <tr><td>flagForceAscii</td><td>80000000</td><td></td></tr> * <tr><td>flagNavigateNext</td><td>8000000</td><td></td></tr> * <tr><td>flagNavigatePrevious</td><td>4000000</td><td></td></tr> * <tr><td>flagNoAccessoryAction</td><td>20000000</td><td></td></tr> * <tr><td>flagNoEnterAction</td><td>40000000</td><td></td></tr> * <tr><td>flagNoExtractUi</td><td>10000000</td><td></td></tr> * <tr><td>flagNoFullscreen</td><td>2000000</td><td></td></tr> * <tr><td>flagNoPersonalizedLearning</td><td>1000000</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name android:imeOptions */ public static final int SearchView_android_imeOptions=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#closeIcon} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:closeIcon */ public static final int SearchView_closeIcon=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#commitIcon} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:commitIcon */ public static final int SearchView_commitIcon=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#defaultQueryHint} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:defaultQueryHint */ public static final int SearchView_defaultQueryHint=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#goIcon} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:goIcon */ public static final int SearchView_goIcon=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#iconifiedByDefault} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:iconifiedByDefault */ public static final int SearchView_iconifiedByDefault=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#layout} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:layout */ public static final int SearchView_layout=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#queryBackground} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:queryBackground */ public static final int SearchView_queryBackground=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#queryHint} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:queryHint */ public static final int SearchView_queryHint=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#searchHintIcon} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:searchHintIcon */ public static final int SearchView_searchHintIcon=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#searchIcon} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:searchIcon */ public static final int SearchView_searchIcon=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#submitBackground} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:submitBackground */ public static final int SearchView_submitBackground=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#suggestionRowLayout} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:suggestionRowLayout */ public static final int SearchView_suggestionRowLayout=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#voiceIcon} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:voiceIcon */ public static final int SearchView_voiceIcon=16; /** * Attributes that can be used with a SignInButton. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #SignInButton_buttonSize com.socero.loopmerchant:buttonSize}</code></td><td></td></tr> * <tr><td><code>{@link #SignInButton_colorScheme com.socero.loopmerchant:colorScheme}</code></td><td></td></tr> * <tr><td><code>{@link #SignInButton_scopeUris com.socero.loopmerchant:scopeUris}</code></td><td></td></tr> * </table> * @see #SignInButton_buttonSize * @see #SignInButton_colorScheme * @see #SignInButton_scopeUris */ public static final int[] SignInButton={ 0x7f040050, 0x7f040068, 0x7f04015a }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonSize} * attribute's value can be found in the {@link #SignInButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>icon_only</td><td>2</td><td></td></tr> * <tr><td>standard</td><td>0</td><td></td></tr> * <tr><td>wide</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:buttonSize */ public static final int SignInButton_buttonSize=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#colorScheme} * attribute's value can be found in the {@link #SignInButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>2</td><td></td></tr> * <tr><td>dark</td><td>0</td><td></td></tr> * <tr><td>light</td><td>1</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:colorScheme */ public static final int SignInButton_colorScheme=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#scopeUris} * attribute's value can be found in the {@link #SignInButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:scopeUris */ public static final int SignInButton_scopeUris=2; /** * Attributes that can be used with a SimpleDraweeView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #SimpleDraweeView_actualImageResource com.socero.loopmerchant:actualImageResource}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_actualImageScaleType com.socero.loopmerchant:actualImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_actualImageUri com.socero.loopmerchant:actualImageUri}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_backgroundImage com.socero.loopmerchant:backgroundImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_fadeDuration com.socero.loopmerchant:fadeDuration}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_failureImage com.socero.loopmerchant:failureImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_failureImageScaleType com.socero.loopmerchant:failureImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_overlayImage com.socero.loopmerchant:overlayImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_placeholderImage com.socero.loopmerchant:placeholderImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_placeholderImageScaleType com.socero.loopmerchant:placeholderImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_pressedStateOverlayImage com.socero.loopmerchant:pressedStateOverlayImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_progressBarAutoRotateInterval com.socero.loopmerchant:progressBarAutoRotateInterval}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_progressBarImage com.socero.loopmerchant:progressBarImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_progressBarImageScaleType com.socero.loopmerchant:progressBarImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_retryImage com.socero.loopmerchant:retryImage}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_retryImageScaleType com.socero.loopmerchant:retryImageScaleType}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundAsCircle com.socero.loopmerchant:roundAsCircle}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomEnd com.socero.loopmerchant:roundBottomEnd}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomLeft com.socero.loopmerchant:roundBottomLeft}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomRight com.socero.loopmerchant:roundBottomRight}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomStart com.socero.loopmerchant:roundBottomStart}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopEnd com.socero.loopmerchant:roundTopEnd}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopLeft com.socero.loopmerchant:roundTopLeft}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopRight com.socero.loopmerchant:roundTopRight}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopStart com.socero.loopmerchant:roundTopStart}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundWithOverlayColor com.socero.loopmerchant:roundWithOverlayColor}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundedCornerRadius com.socero.loopmerchant:roundedCornerRadius}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundingBorderColor com.socero.loopmerchant:roundingBorderColor}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundingBorderPadding com.socero.loopmerchant:roundingBorderPadding}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundingBorderWidth com.socero.loopmerchant:roundingBorderWidth}</code></td><td></td></tr> * <tr><td><code>{@link #SimpleDraweeView_viewAspectRatio com.socero.loopmerchant:viewAspectRatio}</code></td><td></td></tr> * </table> * @see #SimpleDraweeView_actualImageResource * @see #SimpleDraweeView_actualImageScaleType * @see #SimpleDraweeView_actualImageUri * @see #SimpleDraweeView_backgroundImage * @see #SimpleDraweeView_fadeDuration * @see #SimpleDraweeView_failureImage * @see #SimpleDraweeView_failureImageScaleType * @see #SimpleDraweeView_overlayImage * @see #SimpleDraweeView_placeholderImage * @see #SimpleDraweeView_placeholderImageScaleType * @see #SimpleDraweeView_pressedStateOverlayImage * @see #SimpleDraweeView_progressBarAutoRotateInterval * @see #SimpleDraweeView_progressBarImage * @see #SimpleDraweeView_progressBarImageScaleType * @see #SimpleDraweeView_retryImage * @see #SimpleDraweeView_retryImageScaleType * @see #SimpleDraweeView_roundAsCircle * @see #SimpleDraweeView_roundBottomEnd * @see #SimpleDraweeView_roundBottomLeft * @see #SimpleDraweeView_roundBottomRight * @see #SimpleDraweeView_roundBottomStart * @see #SimpleDraweeView_roundTopEnd * @see #SimpleDraweeView_roundTopLeft * @see #SimpleDraweeView_roundTopRight * @see #SimpleDraweeView_roundTopStart * @see #SimpleDraweeView_roundWithOverlayColor * @see #SimpleDraweeView_roundedCornerRadius * @see #SimpleDraweeView_roundingBorderColor * @see #SimpleDraweeView_roundingBorderPadding * @see #SimpleDraweeView_roundingBorderWidth * @see #SimpleDraweeView_viewAspectRatio */ public static final int[] SimpleDraweeView={ 0x7f040023, 0x7f040024, 0x7f040025, 0x7f040039, 0x7f0400af, 0x7f0400b0, 0x7f0400b1, 0x7f040128, 0x7f040135, 0x7f040136, 0x7f04013b, 0x7f04013d, 0x7f04013e, 0x7f04013f, 0x7f040148, 0x7f040149, 0x7f04014c, 0x7f04014d, 0x7f04014e, 0x7f04014f, 0x7f040150, 0x7f040151, 0x7f040152, 0x7f040153, 0x7f040154, 0x7f040155, 0x7f040156, 0x7f040157, 0x7f040158, 0x7f040159, 0x7f0401bd }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actualImageResource} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:actualImageResource */ public static final int SimpleDraweeView_actualImageResource=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actualImageScaleType} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:actualImageScaleType */ public static final int SimpleDraweeView_actualImageScaleType=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#actualImageUri} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:actualImageUri */ public static final int SimpleDraweeView_actualImageUri=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:backgroundImage */ public static final int SimpleDraweeView_backgroundImage=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fadeDuration} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:fadeDuration */ public static final int SimpleDraweeView_fadeDuration=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#failureImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:failureImage */ public static final int SimpleDraweeView_failureImage=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#failureImageScaleType} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:failureImageScaleType */ public static final int SimpleDraweeView_failureImageScaleType=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#overlayImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:overlayImage */ public static final int SimpleDraweeView_overlayImage=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#placeholderImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:placeholderImage */ public static final int SimpleDraweeView_placeholderImage=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#placeholderImageScaleType} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:placeholderImageScaleType */ public static final int SimpleDraweeView_placeholderImageScaleType=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#pressedStateOverlayImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:pressedStateOverlayImage */ public static final int SimpleDraweeView_pressedStateOverlayImage=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarAutoRotateInterval} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:progressBarAutoRotateInterval */ public static final int SimpleDraweeView_progressBarAutoRotateInterval=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:progressBarImage */ public static final int SimpleDraweeView_progressBarImage=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#progressBarImageScaleType} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:progressBarImageScaleType */ public static final int SimpleDraweeView_progressBarImageScaleType=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#retryImage} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:retryImage */ public static final int SimpleDraweeView_retryImage=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#retryImageScaleType} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:retryImageScaleType */ public static final int SimpleDraweeView_retryImageScaleType=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundAsCircle} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundAsCircle */ public static final int SimpleDraweeView_roundAsCircle=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomEnd} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomEnd */ public static final int SimpleDraweeView_roundBottomEnd=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomLeft} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomLeft */ public static final int SimpleDraweeView_roundBottomLeft=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomRight} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomRight */ public static final int SimpleDraweeView_roundBottomRight=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundBottomStart} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundBottomStart */ public static final int SimpleDraweeView_roundBottomStart=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopEnd} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopEnd */ public static final int SimpleDraweeView_roundTopEnd=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopLeft} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopLeft */ public static final int SimpleDraweeView_roundTopLeft=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopRight} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopRight */ public static final int SimpleDraweeView_roundTopRight=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundTopStart} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:roundTopStart */ public static final int SimpleDraweeView_roundTopStart=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundWithOverlayColor} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:roundWithOverlayColor */ public static final int SimpleDraweeView_roundWithOverlayColor=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundedCornerRadius} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:roundedCornerRadius */ public static final int SimpleDraweeView_roundedCornerRadius=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundingBorderColor} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:roundingBorderColor */ public static final int SimpleDraweeView_roundingBorderColor=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundingBorderPadding} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:roundingBorderPadding */ public static final int SimpleDraweeView_roundingBorderPadding=28; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#roundingBorderWidth} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:roundingBorderWidth */ public static final int SimpleDraweeView_roundingBorderWidth=29; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#viewAspectRatio} * attribute's value can be found in the {@link #SimpleDraweeView} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.socero.loopmerchant:viewAspectRatio */ public static final int SimpleDraweeView_viewAspectRatio=30; /** * Attributes that can be used with a SnackbarLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #SnackbarLayout_android_maxWidth android:maxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #SnackbarLayout_elevation com.socero.loopmerchant:elevation}</code></td><td></td></tr> * <tr><td><code>{@link #SnackbarLayout_maxActionInlineWidth com.socero.loopmerchant:maxActionInlineWidth}</code></td><td></td></tr> * </table> * @see #SnackbarLayout_android_maxWidth * @see #SnackbarLayout_elevation * @see #SnackbarLayout_maxActionInlineWidth */ public static final int[] SnackbarLayout={ 0x0101011f, 0x7f04008d, 0x7f0400f7 }; /** * <p>This symbol is the offset where the {@link android.R.attr#maxWidth} * attribute's value can be found in the {@link #SnackbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:maxWidth */ public static final int SnackbarLayout_android_maxWidth=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#elevation} * attribute's value can be found in the {@link #SnackbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:elevation */ public static final int SnackbarLayout_elevation=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#maxActionInlineWidth} * attribute's value can be found in the {@link #SnackbarLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:maxActionInlineWidth */ public static final int SnackbarLayout_maxActionInlineWidth=2; /** * Attributes that can be used with a Spinner. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #Spinner_android_entries android:entries}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_android_popupBackground android:popupBackground}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_android_prompt android:prompt}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_android_dropDownWidth android:dropDownWidth}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_popupTheme com.socero.loopmerchant:popupTheme}</code></td><td></td></tr> * </table> * @see #Spinner_android_entries * @see #Spinner_android_popupBackground * @see #Spinner_android_prompt * @see #Spinner_android_dropDownWidth * @see #Spinner_popupTheme */ public static final int[] Spinner={ 0x010100b2, 0x01010176, 0x0101017b, 0x01010262, 0x7f040138 }; /** * <p>This symbol is the offset where the {@link android.R.attr#entries} * attribute's value can be found in the {@link #Spinner} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:entries */ public static final int Spinner_android_entries=0; /** * <p>This symbol is the offset where the {@link android.R.attr#popupBackground} * attribute's value can be found in the {@link #Spinner} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:popupBackground */ public static final int Spinner_android_popupBackground=1; /** * <p>This symbol is the offset where the {@link android.R.attr#prompt} * attribute's value can be found in the {@link #Spinner} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:prompt */ public static final int Spinner_android_prompt=2; /** * <p>This symbol is the offset where the {@link android.R.attr#dropDownWidth} * attribute's value can be found in the {@link #Spinner} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>match_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr> * </table> * * @attr name android:dropDownWidth */ public static final int Spinner_android_dropDownWidth=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#popupTheme} * attribute's value can be found in the {@link #Spinner} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:popupTheme */ public static final int Spinner_popupTheme=4; /** * Attributes that can be used with a SwitchCompat. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #SwitchCompat_android_textOn android:textOn}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_android_textOff android:textOff}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_android_thumb android:thumb}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_showText com.socero.loopmerchant:showText}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_splitTrack com.socero.loopmerchant:splitTrack}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_switchMinWidth com.socero.loopmerchant:switchMinWidth}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_switchPadding com.socero.loopmerchant:switchPadding}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_switchTextAppearance com.socero.loopmerchant:switchTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTextPadding com.socero.loopmerchant:thumbTextPadding}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTint com.socero.loopmerchant:thumbTint}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTintMode com.socero.loopmerchant:thumbTintMode}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_track com.socero.loopmerchant:track}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_trackTint com.socero.loopmerchant:trackTint}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_trackTintMode com.socero.loopmerchant:trackTintMode}</code></td><td></td></tr> * </table> * @see #SwitchCompat_android_textOn * @see #SwitchCompat_android_textOff * @see #SwitchCompat_android_thumb * @see #SwitchCompat_showText * @see #SwitchCompat_splitTrack * @see #SwitchCompat_switchMinWidth * @see #SwitchCompat_switchPadding * @see #SwitchCompat_switchTextAppearance * @see #SwitchCompat_thumbTextPadding * @see #SwitchCompat_thumbTint * @see #SwitchCompat_thumbTintMode * @see #SwitchCompat_track * @see #SwitchCompat_trackTint * @see #SwitchCompat_trackTintMode */ public static final int[] SwitchCompat={ 0x01010124, 0x01010125, 0x01010142, 0x7f040166, 0x7f04016d, 0x7f04017c, 0x7f04017d, 0x7f04017f, 0x7f04019f, 0x7f0401a0, 0x7f0401a1, 0x7f0401b8, 0x7f0401b9, 0x7f0401ba }; /** * <p>This symbol is the offset where the {@link android.R.attr#textOn} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:textOn */ public static final int SwitchCompat_android_textOn=0; /** * <p>This symbol is the offset where the {@link android.R.attr#textOff} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:textOff */ public static final int SwitchCompat_android_textOff=1; /** * <p>This symbol is the offset where the {@link android.R.attr#thumb} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:thumb */ public static final int SwitchCompat_android_thumb=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#showText} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:showText */ public static final int SwitchCompat_showText=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#splitTrack} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:splitTrack */ public static final int SwitchCompat_splitTrack=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#switchMinWidth} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:switchMinWidth */ public static final int SwitchCompat_switchMinWidth=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#switchPadding} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:switchPadding */ public static final int SwitchCompat_switchPadding=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#switchTextAppearance} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:switchTextAppearance */ public static final int SwitchCompat_switchTextAppearance=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#thumbTextPadding} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:thumbTextPadding */ public static final int SwitchCompat_thumbTextPadding=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#thumbTint} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:thumbTint */ public static final int SwitchCompat_thumbTint=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#thumbTintMode} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:thumbTintMode */ public static final int SwitchCompat_thumbTintMode=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#track} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:track */ public static final int SwitchCompat_track=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#trackTint} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:trackTint */ public static final int SwitchCompat_trackTint=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#trackTintMode} * attribute's value can be found in the {@link #SwitchCompat} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:trackTintMode */ public static final int SwitchCompat_trackTintMode=13; /** * Attributes that can be used with a TabItem. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #TabItem_android_icon android:icon}</code></td><td></td></tr> * <tr><td><code>{@link #TabItem_android_layout android:layout}</code></td><td></td></tr> * <tr><td><code>{@link #TabItem_android_text android:text}</code></td><td></td></tr> * </table> * @see #TabItem_android_icon * @see #TabItem_android_layout * @see #TabItem_android_text */ public static final int[] TabItem={ 0x01010002, 0x010100f2, 0x0101014f }; /** * <p>This symbol is the offset where the {@link android.R.attr#icon} * attribute's value can be found in the {@link #TabItem} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:icon */ public static final int TabItem_android_icon=0; /** * <p>This symbol is the offset where the {@link android.R.attr#layout} * attribute's value can be found in the {@link #TabItem} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:layout */ public static final int TabItem_android_layout=1; /** * <p>This symbol is the offset where the {@link android.R.attr#text} * attribute's value can be found in the {@link #TabItem} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:text */ public static final int TabItem_android_text=2; /** * Attributes that can be used with a TabLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #TabLayout_tabBackground com.socero.loopmerchant:tabBackground}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabContentStart com.socero.loopmerchant:tabContentStart}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabGravity com.socero.loopmerchant:tabGravity}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorColor com.socero.loopmerchant:tabIndicatorColor}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorHeight com.socero.loopmerchant:tabIndicatorHeight}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabMaxWidth com.socero.loopmerchant:tabMaxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabMinWidth com.socero.loopmerchant:tabMinWidth}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabMode com.socero.loopmerchant:tabMode}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPadding com.socero.loopmerchant:tabPadding}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingBottom com.socero.loopmerchant:tabPaddingBottom}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingEnd com.socero.loopmerchant:tabPaddingEnd}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingStart com.socero.loopmerchant:tabPaddingStart}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingTop com.socero.loopmerchant:tabPaddingTop}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabSelectedTextColor com.socero.loopmerchant:tabSelectedTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabTextAppearance com.socero.loopmerchant:tabTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabTextColor com.socero.loopmerchant:tabTextColor}</code></td><td></td></tr> * </table> * @see #TabLayout_tabBackground * @see #TabLayout_tabContentStart * @see #TabLayout_tabGravity * @see #TabLayout_tabIndicatorColor * @see #TabLayout_tabIndicatorHeight * @see #TabLayout_tabMaxWidth * @see #TabLayout_tabMinWidth * @see #TabLayout_tabMode * @see #TabLayout_tabPadding * @see #TabLayout_tabPaddingBottom * @see #TabLayout_tabPaddingEnd * @see #TabLayout_tabPaddingStart * @see #TabLayout_tabPaddingTop * @see #TabLayout_tabSelectedTextColor * @see #TabLayout_tabTextAppearance * @see #TabLayout_tabTextColor */ public static final int[] TabLayout={ 0x7f040180, 0x7f040181, 0x7f040182, 0x7f040183, 0x7f040184, 0x7f040186, 0x7f040187, 0x7f040188, 0x7f040189, 0x7f04018a, 0x7f04018b, 0x7f04018c, 0x7f04018d, 0x7f04018e, 0x7f04018f, 0x7f040190 }; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabBackground} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:tabBackground */ public static final int TabLayout_tabBackground=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabContentStart} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabContentStart */ public static final int TabLayout_tabContentStart=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabGravity} * attribute's value can be found in the {@link #TabLayout} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>1</td><td></td></tr> * <tr><td>fill</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:tabGravity */ public static final int TabLayout_tabGravity=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabIndicatorColor} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:tabIndicatorColor */ public static final int TabLayout_tabIndicatorColor=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabIndicatorHeight} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabIndicatorHeight */ public static final int TabLayout_tabIndicatorHeight=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabMaxWidth} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabMaxWidth */ public static final int TabLayout_tabMaxWidth=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabMinWidth} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabMinWidth */ public static final int TabLayout_tabMinWidth=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabMode} * attribute's value can be found in the {@link #TabLayout} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fixed</td><td>1</td><td></td></tr> * <tr><td>scrollable</td><td>0</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:tabMode */ public static final int TabLayout_tabMode=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabPadding} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabPadding */ public static final int TabLayout_tabPadding=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabPaddingBottom} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabPaddingBottom */ public static final int TabLayout_tabPaddingBottom=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabPaddingEnd} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabPaddingEnd */ public static final int TabLayout_tabPaddingEnd=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabPaddingStart} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabPaddingStart */ public static final int TabLayout_tabPaddingStart=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabPaddingTop} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:tabPaddingTop */ public static final int TabLayout_tabPaddingTop=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabSelectedTextColor} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:tabSelectedTextColor */ public static final int TabLayout_tabSelectedTextColor=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabTextAppearance} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:tabTextAppearance */ public static final int TabLayout_tabTextAppearance=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#tabTextColor} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:tabTextColor */ public static final int TabLayout_tabTextColor=15; /** * Attributes that can be used with a TextAppearance. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #TextAppearance_android_textSize android:textSize}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_typeface android:typeface}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textStyle android:textStyle}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textColor android:textColor}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textColorHint android:textColorHint}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textColorLink android:textColorLink}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowColor android:shadowColor}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowDx android:shadowDx}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowDy android:shadowDy}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowRadius android:shadowRadius}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_fontFamily android:fontFamily}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_fontFamily com.socero.loopmerchant:fontFamily}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_textAllCaps com.socero.loopmerchant:textAllCaps}</code></td><td></td></tr> * </table> * @see #TextAppearance_android_textSize * @see #TextAppearance_android_typeface * @see #TextAppearance_android_textStyle * @see #TextAppearance_android_textColor * @see #TextAppearance_android_textColorHint * @see #TextAppearance_android_textColorLink * @see #TextAppearance_android_shadowColor * @see #TextAppearance_android_shadowDx * @see #TextAppearance_android_shadowDy * @see #TextAppearance_android_shadowRadius * @see #TextAppearance_android_fontFamily * @see #TextAppearance_fontFamily * @see #TextAppearance_textAllCaps */ public static final int[] TextAppearance={ 0x01010095, 0x01010096, 0x01010097, 0x01010098, 0x0101009a, 0x0101009b, 0x01010161, 0x01010162, 0x01010163, 0x01010164, 0x010103ac, 0x7f0400b8, 0x7f040191 }; /** * <p>This symbol is the offset where the {@link android.R.attr#textSize} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:textSize */ public static final int TextAppearance_android_textSize=0; /** * <p>This symbol is the offset where the {@link android.R.attr#typeface} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>monospace</td><td>3</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * <tr><td>sans</td><td>1</td><td></td></tr> * <tr><td>serif</td><td>2</td><td></td></tr> * </table> * * @attr name android:typeface */ public static final int TextAppearance_android_typeface=1; /** * <p>This symbol is the offset where the {@link android.R.attr#textStyle} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bold</td><td>1</td><td></td></tr> * <tr><td>italic</td><td>2</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name android:textStyle */ public static final int TextAppearance_android_textStyle=2; /** * <p>This symbol is the offset where the {@link android.R.attr#textColor} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColor */ public static final int TextAppearance_android_textColor=3; /** * <p>This symbol is the offset where the {@link android.R.attr#textColorHint} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColorHint */ public static final int TextAppearance_android_textColorHint=4; /** * <p>This symbol is the offset where the {@link android.R.attr#textColorLink} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColorLink */ public static final int TextAppearance_android_textColorLink=5; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowColor} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:shadowColor */ public static final int TextAppearance_android_shadowColor=6; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowDx} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:shadowDx */ public static final int TextAppearance_android_shadowDx=7; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowDy} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:shadowDy */ public static final int TextAppearance_android_shadowDy=8; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowRadius} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:shadowRadius */ public static final int TextAppearance_android_shadowRadius=9; /** * <p>This symbol is the offset where the {@link android.R.attr#fontFamily} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:fontFamily */ public static final int TextAppearance_android_fontFamily=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#fontFamily} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:fontFamily */ public static final int TextAppearance_fontFamily=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#textAllCaps} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:textAllCaps */ public static final int TextAppearance_textAllCaps=12; /** * Attributes that can be used with a TextInputLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #TextInputLayout_android_textColorHint android:textColorHint}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_android_hint android:hint}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterEnabled com.socero.loopmerchant:counterEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterMaxLength com.socero.loopmerchant:counterMaxLength}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterOverflowTextAppearance com.socero.loopmerchant:counterOverflowTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterTextAppearance com.socero.loopmerchant:counterTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_errorEnabled com.socero.loopmerchant:errorEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_errorTextAppearance com.socero.loopmerchant:errorTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_hintAnimationEnabled com.socero.loopmerchant:hintAnimationEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_hintEnabled com.socero.loopmerchant:hintEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_hintTextAppearance com.socero.loopmerchant:hintTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleContentDescription com.socero.loopmerchant:passwordToggleContentDescription}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleDrawable com.socero.loopmerchant:passwordToggleDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleEnabled com.socero.loopmerchant:passwordToggleEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleTint com.socero.loopmerchant:passwordToggleTint}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleTintMode com.socero.loopmerchant:passwordToggleTintMode}</code></td><td></td></tr> * </table> * @see #TextInputLayout_android_textColorHint * @see #TextInputLayout_android_hint * @see #TextInputLayout_counterEnabled * @see #TextInputLayout_counterMaxLength * @see #TextInputLayout_counterOverflowTextAppearance * @see #TextInputLayout_counterTextAppearance * @see #TextInputLayout_errorEnabled * @see #TextInputLayout_errorTextAppearance * @see #TextInputLayout_hintAnimationEnabled * @see #TextInputLayout_hintEnabled * @see #TextInputLayout_hintTextAppearance * @see #TextInputLayout_passwordToggleContentDescription * @see #TextInputLayout_passwordToggleDrawable * @see #TextInputLayout_passwordToggleEnabled * @see #TextInputLayout_passwordToggleTint * @see #TextInputLayout_passwordToggleTintMode */ public static final int[] TextInputLayout={ 0x0101009a, 0x01010150, 0x7f040078, 0x7f040079, 0x7f04007a, 0x7f04007b, 0x7f04008e, 0x7f04008f, 0x7f0400c7, 0x7f0400c8, 0x7f0400c9, 0x7f040130, 0x7f040131, 0x7f040132, 0x7f040133, 0x7f040134 }; /** * <p>This symbol is the offset where the {@link android.R.attr#textColorHint} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColorHint */ public static final int TextInputLayout_android_textColorHint=0; /** * <p>This symbol is the offset where the {@link android.R.attr#hint} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:hint */ public static final int TextInputLayout_android_hint=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#counterEnabled} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:counterEnabled */ public static final int TextInputLayout_counterEnabled=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#counterMaxLength} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.socero.loopmerchant:counterMaxLength */ public static final int TextInputLayout_counterMaxLength=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#counterOverflowTextAppearance} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:counterOverflowTextAppearance */ public static final int TextInputLayout_counterOverflowTextAppearance=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#counterTextAppearance} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:counterTextAppearance */ public static final int TextInputLayout_counterTextAppearance=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#errorEnabled} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:errorEnabled */ public static final int TextInputLayout_errorEnabled=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#errorTextAppearance} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:errorTextAppearance */ public static final int TextInputLayout_errorTextAppearance=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#hintAnimationEnabled} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:hintAnimationEnabled */ public static final int TextInputLayout_hintAnimationEnabled=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#hintEnabled} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:hintEnabled */ public static final int TextInputLayout_hintEnabled=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#hintTextAppearance} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:hintTextAppearance */ public static final int TextInputLayout_hintTextAppearance=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#passwordToggleContentDescription} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:passwordToggleContentDescription */ public static final int TextInputLayout_passwordToggleContentDescription=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#passwordToggleDrawable} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:passwordToggleDrawable */ public static final int TextInputLayout_passwordToggleDrawable=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#passwordToggleEnabled} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.socero.loopmerchant:passwordToggleEnabled */ public static final int TextInputLayout_passwordToggleEnabled=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#passwordToggleTint} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:passwordToggleTint */ public static final int TextInputLayout_passwordToggleTint=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#passwordToggleTintMode} * attribute's value can be found in the {@link #TextInputLayout} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:passwordToggleTintMode */ public static final int TextInputLayout_passwordToggleTintMode=15; /** * Attributes that can be used with a Toolbar. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #Toolbar_android_gravity android:gravity}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_android_minHeight android:minHeight}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_buttonGravity com.socero.loopmerchant:buttonGravity}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_collapseContentDescription com.socero.loopmerchant:collapseContentDescription}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_collapseIcon com.socero.loopmerchant:collapseIcon}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_contentInsetEnd com.socero.loopmerchant:contentInsetEnd}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_contentInsetEndWithActions com.socero.loopmerchant:contentInsetEndWithActions}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_contentInsetLeft com.socero.loopmerchant:contentInsetLeft}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_contentInsetRight com.socero.loopmerchant:contentInsetRight}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_contentInsetStart com.socero.loopmerchant:contentInsetStart}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_contentInsetStartWithNavigation com.socero.loopmerchant:contentInsetStartWithNavigation}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_logo com.socero.loopmerchant:logo}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_logoDescription com.socero.loopmerchant:logoDescription}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_maxButtonHeight com.socero.loopmerchant:maxButtonHeight}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_navigationContentDescription com.socero.loopmerchant:navigationContentDescription}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_navigationIcon com.socero.loopmerchant:navigationIcon}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_popupTheme com.socero.loopmerchant:popupTheme}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_subtitle com.socero.loopmerchant:subtitle}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_subtitleTextAppearance com.socero.loopmerchant:subtitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_subtitleTextColor com.socero.loopmerchant:subtitleTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_title com.socero.loopmerchant:title}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMargin com.socero.loopmerchant:titleMargin}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMarginBottom com.socero.loopmerchant:titleMarginBottom}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMarginEnd com.socero.loopmerchant:titleMarginEnd}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMarginStart com.socero.loopmerchant:titleMarginStart}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMarginTop com.socero.loopmerchant:titleMarginTop}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMargins com.socero.loopmerchant:titleMargins}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleTextAppearance com.socero.loopmerchant:titleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleTextColor com.socero.loopmerchant:titleTextColor}</code></td><td></td></tr> * </table> * @see #Toolbar_android_gravity * @see #Toolbar_android_minHeight * @see #Toolbar_buttonGravity * @see #Toolbar_collapseContentDescription * @see #Toolbar_collapseIcon * @see #Toolbar_contentInsetEnd * @see #Toolbar_contentInsetEndWithActions * @see #Toolbar_contentInsetLeft * @see #Toolbar_contentInsetRight * @see #Toolbar_contentInsetStart * @see #Toolbar_contentInsetStartWithNavigation * @see #Toolbar_logo * @see #Toolbar_logoDescription * @see #Toolbar_maxButtonHeight * @see #Toolbar_navigationContentDescription * @see #Toolbar_navigationIcon * @see #Toolbar_popupTheme * @see #Toolbar_subtitle * @see #Toolbar_subtitleTextAppearance * @see #Toolbar_subtitleTextColor * @see #Toolbar_title * @see #Toolbar_titleMargin * @see #Toolbar_titleMarginBottom * @see #Toolbar_titleMarginEnd * @see #Toolbar_titleMarginStart * @see #Toolbar_titleMarginTop * @see #Toolbar_titleMargins * @see #Toolbar_titleTextAppearance * @see #Toolbar_titleTextColor */ public static final int[] Toolbar={ 0x010100af, 0x01010140, 0x7f04004d, 0x7f04005a, 0x7f04005b, 0x7f04006f, 0x7f040070, 0x7f040071, 0x7f040072, 0x7f040073, 0x7f040074, 0x7f0400f5, 0x7f0400f6, 0x7f0400f8, 0x7f040123, 0x7f040124, 0x7f040138, 0x7f040177, 0x7f040178, 0x7f040179, 0x7f0401a7, 0x7f0401a9, 0x7f0401aa, 0x7f0401ab, 0x7f0401ac, 0x7f0401ad, 0x7f0401ae, 0x7f0401af, 0x7f0401b0 }; /** * <p>This symbol is the offset where the {@link android.R.attr#gravity} * attribute's value can be found in the {@link #Toolbar} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:gravity */ public static final int Toolbar_android_gravity=0; /** * <p>This symbol is the offset where the {@link android.R.attr#minHeight} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:minHeight */ public static final int Toolbar_android_minHeight=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#buttonGravity} * attribute's value can be found in the {@link #Toolbar} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:buttonGravity */ public static final int Toolbar_buttonGravity=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#collapseContentDescription} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:collapseContentDescription */ public static final int Toolbar_collapseContentDescription=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#collapseIcon} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:collapseIcon */ public static final int Toolbar_collapseIcon=4; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetEnd} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetEnd */ public static final int Toolbar_contentInsetEnd=5; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetEndWithActions} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetEndWithActions */ public static final int Toolbar_contentInsetEndWithActions=6; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetLeft} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetLeft */ public static final int Toolbar_contentInsetLeft=7; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetRight} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetRight */ public static final int Toolbar_contentInsetRight=8; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetStart} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetStart */ public static final int Toolbar_contentInsetStart=9; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#contentInsetStartWithNavigation} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:contentInsetStartWithNavigation */ public static final int Toolbar_contentInsetStartWithNavigation=10; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#logo} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:logo */ public static final int Toolbar_logo=11; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#logoDescription} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:logoDescription */ public static final int Toolbar_logoDescription=12; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#maxButtonHeight} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:maxButtonHeight */ public static final int Toolbar_maxButtonHeight=13; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#navigationContentDescription} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:navigationContentDescription */ public static final int Toolbar_navigationContentDescription=14; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#navigationIcon} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:navigationIcon */ public static final int Toolbar_navigationIcon=15; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#popupTheme} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:popupTheme */ public static final int Toolbar_popupTheme=16; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subtitle} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:subtitle */ public static final int Toolbar_subtitle=17; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subtitleTextAppearance} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:subtitleTextAppearance */ public static final int Toolbar_subtitleTextAppearance=18; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#subtitleTextColor} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:subtitleTextColor */ public static final int Toolbar_subtitleTextColor=19; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#title} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.socero.loopmerchant:title */ public static final int Toolbar_title=20; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleMargin} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:titleMargin */ public static final int Toolbar_titleMargin=21; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleMarginBottom} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:titleMarginBottom */ public static final int Toolbar_titleMarginBottom=22; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleMarginEnd} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:titleMarginEnd */ public static final int Toolbar_titleMarginEnd=23; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleMarginStart} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:titleMarginStart */ public static final int Toolbar_titleMarginStart=24; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleMarginTop} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:titleMarginTop */ public static final int Toolbar_titleMarginTop=25; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleMargins} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:titleMargins */ public static final int Toolbar_titleMargins=26; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleTextAppearance} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:titleTextAppearance */ public static final int Toolbar_titleTextAppearance=27; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#titleTextColor} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:titleTextColor */ public static final int Toolbar_titleTextColor=28; /** * Attributes that can be used with a View. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #View_android_theme android:theme}</code></td><td></td></tr> * <tr><td><code>{@link #View_android_focusable android:focusable}</code></td><td></td></tr> * <tr><td><code>{@link #View_paddingEnd com.socero.loopmerchant:paddingEnd}</code></td><td></td></tr> * <tr><td><code>{@link #View_paddingStart com.socero.loopmerchant:paddingStart}</code></td><td></td></tr> * <tr><td><code>{@link #View_theme com.socero.loopmerchant:theme}</code></td><td></td></tr> * </table> * @see #View_android_theme * @see #View_android_focusable * @see #View_paddingEnd * @see #View_paddingStart * @see #View_theme */ public static final int[] View={ 0x01010000, 0x010100da, 0x7f04012a, 0x7f04012b, 0x7f04019d }; /** * <p>This symbol is the offset where the {@link android.R.attr#theme} * attribute's value can be found in the {@link #View} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:theme */ public static final int View_android_theme=0; /** * <p>This symbol is the offset where the {@link android.R.attr#focusable} * attribute's value can be found in the {@link #View} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>10</td><td></td></tr> * </table> * * @attr name android:focusable */ public static final int View_android_focusable=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#paddingEnd} * attribute's value can be found in the {@link #View} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:paddingEnd */ public static final int View_paddingEnd=2; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#paddingStart} * attribute's value can be found in the {@link #View} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.socero.loopmerchant:paddingStart */ public static final int View_paddingStart=3; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#theme} * attribute's value can be found in the {@link #View} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.socero.loopmerchant:theme */ public static final int View_theme=4; /** * Attributes that can be used with a ViewBackgroundHelper. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ViewBackgroundHelper_android_background android:background}</code></td><td></td></tr> * <tr><td><code>{@link #ViewBackgroundHelper_backgroundTint com.socero.loopmerchant:backgroundTint}</code></td><td></td></tr> * <tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode com.socero.loopmerchant:backgroundTintMode}</code></td><td></td></tr> * </table> * @see #ViewBackgroundHelper_android_background * @see #ViewBackgroundHelper_backgroundTint * @see #ViewBackgroundHelper_backgroundTintMode */ public static final int[] ViewBackgroundHelper={ 0x010100d4, 0x7f04003c, 0x7f04003d }; /** * <p>This symbol is the offset where the {@link android.R.attr#background} * attribute's value can be found in the {@link #ViewBackgroundHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:background */ public static final int ViewBackgroundHelper_android_background=0; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundTint} * attribute's value can be found in the {@link #ViewBackgroundHelper} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.socero.loopmerchant:backgroundTint */ public static final int ViewBackgroundHelper_backgroundTint=1; /** * <p>This symbol is the offset where the {@link com.socero.loopmerchant.R.attr#backgroundTintMode} * attribute's value can be found in the {@link #ViewBackgroundHelper} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td></td></tr> * <tr><td>multiply</td><td>e</td><td></td></tr> * <tr><td>screen</td><td>f</td><td></td></tr> * <tr><td>src_atop</td><td>9</td><td></td></tr> * <tr><td>src_in</td><td>5</td><td></td></tr> * <tr><td>src_over</td><td>3</td><td></td></tr> * </table> * * @attr name com.socero.loopmerchant:backgroundTintMode */ public static final int ViewBackgroundHelper_backgroundTintMode=2; /** * Attributes that can be used with a ViewStubCompat. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ViewStubCompat_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #ViewStubCompat_android_layout android:layout}</code></td><td></td></tr> * <tr><td><code>{@link #ViewStubCompat_android_inflatedId android:inflatedId}</code></td><td></td></tr> * </table> * @see #ViewStubCompat_android_id * @see #ViewStubCompat_android_layout * @see #ViewStubCompat_android_inflatedId */ public static final int[] ViewStubCompat={ 0x010100d0, 0x010100f2, 0x010100f3 }; /** * <p>This symbol is the offset where the {@link android.R.attr#id} * attribute's value can be found in the {@link #ViewStubCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int ViewStubCompat_android_id=0; /** * <p>This symbol is the offset where the {@link android.R.attr#layout} * attribute's value can be found in the {@link #ViewStubCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:layout */ public static final int ViewStubCompat_android_layout=1; /** * <p>This symbol is the offset where the {@link android.R.attr#inflatedId} * attribute's value can be found in the {@link #ViewStubCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:inflatedId */ public static final int ViewStubCompat_android_inflatedId=2; } public static final class xml { public static final int preferences=0x7f100000; } }
3e1e6522d13e6cbd7a8e06fcd83869d479bc15c3
4,554
java
Java
src/main/java/net/kunmc/lab/snowfallcraft/CommandHandler.java
TeamKun/SnowfallCraft
3a12604fc0800cce0655f28c7fc7b36845690aff
[ "MIT" ]
null
null
null
src/main/java/net/kunmc/lab/snowfallcraft/CommandHandler.java
TeamKun/SnowfallCraft
3a12604fc0800cce0655f28c7fc7b36845690aff
[ "MIT" ]
null
null
null
src/main/java/net/kunmc/lab/snowfallcraft/CommandHandler.java
TeamKun/SnowfallCraft
3a12604fc0800cce0655f28c7fc7b36845690aff
[ "MIT" ]
1
2022-01-06T12:44:16.000Z
2022-01-06T12:44:16.000Z
46.469388
134
0.436539
12,865
package net.kunmc.lab.snowfallcraft; import org.bukkit.Bukkit; import org.bukkit.command.Command; import org.bukkit.command.CommandExecutor; import org.bukkit.command.CommandSender; import org.bukkit.entity.Player; import org.jetbrains.annotations.NotNull; import java.util.ArrayList; import java.util.Random; import static org.bukkit.Bukkit.getServer; public class CommandHandler implements CommandExecutor { @Override public boolean onCommand(@NotNull CommandSender sender, @NotNull Command command, @NotNull String label, @NotNull String[] args) { if (args.length < 1) { sender.sendMessage("引数が不足しています。"); return false; } try { switch (args[0]) { case Config.COMMAND_START: Config.onWorking = true; sender.sendMessage("降雪開始"); if (Config.uuid == null) sender.sendMessage("降雪対象プレイヤーが設定されるまで降雪しません。"); break; case Config.COMMAND_STOP: Config.onWorking = false; sender.sendMessage("降雪終了"); break; case Config.COMMAND_CONFIG: sender.sendMessage("***SnowfallCraft 設定値一覧***"); sender.sendMessage(Config.onWorking ? "降雪状態: 降雪中" : "降雪状態: 停止中"); String message = Config.uuid != null ? getServer().getPlayer(Config.uuid).getName() : "未設定"; sender.sendMessage("降雪対象プレイヤー: " + message); sender.sendMessage("降雪半径: " + Config.radius); sender.sendMessage("降雪間隔: " + Config.period); break; case Config.COMMAND_PLAYER: case Config.COMMAND_RADIUS: case Config.COMMAND_PERIOD: if (args.length < 2) { sender.sendMessage("引数が不足しています。"); return false; } else { switch (args[0]) { case Config.COMMAND_PLAYER: if (args[1].equals("@r")) { ArrayList<Player> players = new ArrayList<>(Bukkit.getOnlinePlayers()); Random random = new Random(); Config.uuid = players.get(random.nextInt(players.size())).getUniqueId(); sender.sendMessage("降雪対象プレイヤー: " + getServer().getPlayer(Config.uuid).getName()); break; } else { Player player = Bukkit.getPlayer(args[1]); if (player != null) { Config.uuid = player.getUniqueId(); sender.sendMessage("降雪対象プレイヤー: " + getServer().getPlayer(Config.uuid).getName()); } else { sender.sendMessage("存在しないプレイヤーです。"); return false; } } break; case Config.COMMAND_RADIUS: if (Integer.parseInt(args[1]) < 1) { sender.sendMessage("降雪半径は1以上の整数である必要があります。"); return false; } Config.radius = Integer.parseInt(args[1]); sender.sendMessage("降雪半径: " + Config.radius); break; case Config.COMMAND_PERIOD: if (Integer.parseInt(args[1]) < 1) { sender.sendMessage("降雪間隔は1以上の整数である必要があります。"); return false; } Config.period = Integer.parseInt(args[1]); sender.sendMessage("降雪間隔: " + Config.period); break; } } break; default: sender.sendMessage("存在しない引数です。"); return false; } } catch (Exception e) { sender.sendMessage("引数が不正です。"); return false; } return true; } }
3e1e671348c755a00d0b6c91b5949b48436c2a56
7,226
java
Java
src/test/java/net/spinetrak/gasguzzler/resources/UserResourceTest.java
spinetrak/gasguzzler
1ad116a4a2ba70f87da9d49aaf150ea9dfe8d646
[ "MIT" ]
null
null
null
src/test/java/net/spinetrak/gasguzzler/resources/UserResourceTest.java
spinetrak/gasguzzler
1ad116a4a2ba70f87da9d49aaf150ea9dfe8d646
[ "MIT" ]
null
null
null
src/test/java/net/spinetrak/gasguzzler/resources/UserResourceTest.java
spinetrak/gasguzzler
1ad116a4a2ba70f87da9d49aaf150ea9dfe8d646
[ "MIT" ]
null
null
null
37.05641
171
0.703432
12,866
/* * The MIT License (MIT) * * Copyright (c) 2014-2016 spinetrak * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ package net.spinetrak.gasguzzler.resources; import com.github.toastshaman.dropwizard.auth.jwt.JWTAuthFilter; import com.github.toastshaman.dropwizard.auth.jwt.hmac.HmacSHA512Verifier; import com.github.toastshaman.dropwizard.auth.jwt.parser.DefaultJsonWebTokenParser; import io.dropwizard.auth.AuthDynamicFeature; import io.dropwizard.auth.AuthValueFactoryProvider; import io.dropwizard.testing.junit.ResourceTestRule; import net.spinetrak.gasguzzler.core.User; import net.spinetrak.gasguzzler.core.UserTest; import net.spinetrak.gasguzzler.dao.UserDAO; import net.spinetrak.gasguzzler.security.Authenticator; import net.spinetrak.gasguzzler.security.AuthenticatorTest; import net.spinetrak.gasguzzler.security.Authorizer; import org.glassfish.jersey.server.filter.RolesAllowedDynamicFeature; import org.glassfish.jersey.test.grizzly.GrizzlyWebTestContainerFactory; import org.junit.Rule; import org.junit.Test; import javax.ws.rs.NotAuthorizedException; import javax.ws.rs.client.Entity; import javax.ws.rs.core.GenericType; import javax.ws.rs.core.MediaType; import javax.ws.rs.core.Response; import java.util.ArrayList; import java.util.List; import static javax.ws.rs.core.HttpHeaders.AUTHORIZATION; import static org.assertj.core.api.Assertions.assertThat; import static org.assertj.core.api.Assertions.fail; import static org.junit.Assert.assertEquals; import static org.mockito.Mockito.*; public class UserResourceTest { private final User _adminUser = UserTest.getAdminUser(); private UserDAO _userDAO = mock(UserDAO.class); private Authenticator _authenticator = new Authenticator(_userDAO,"secret".getBytes()); @Rule public ResourceTestRule rule = ResourceTestRule .builder() .setTestContainerFactory(new GrizzlyWebTestContainerFactory()) .addProvider(new AuthDynamicFeature( new JWTAuthFilter.Builder<User>() .setTokenParser(new DefaultJsonWebTokenParser()) .setTokenVerifier(new HmacSHA512Verifier(AuthenticatorTest.SECRET_KEY)) .setRealm("realm") .setPrefix("Bearer") .setAuthenticator(_authenticator) .setAuthorizer(new Authorizer()) .buildAuthFilter())) .addProvider(RolesAllowedDynamicFeature.class) .addProvider(new AuthValueFactoryProvider.Binder<>(User.class)) .addResource(new UserResource( _userDAO, _authenticator, "dycjh@example.com")) .build(); @Test public void register() { when(_userDAO.select(anyString(), anyString())).thenReturn(new ArrayList<>()); when(_userDAO.select(_adminUser.getUsername())).thenReturn(_adminUser); final User user = rule.getJerseyTest().target("/user").request(MediaType.APPLICATION_JSON) .post(Entity.entity(UserTest.getAdminUser(), MediaType.APPLICATION_JSON), User.class); assertThat(user).isEqualTo(_adminUser); assertThat(3 == user.getToken().split(".").length); } @Test public void delete() { when(_userDAO.select(_adminUser.getUserid())).thenReturn(_adminUser); rule.getJerseyTest().target("/user/0").request().header(AUTHORIZATION, "Bearer " + AuthenticatorTest.getAdminUserValidToken()).delete(); verify(_userDAO, times(1)).select(_adminUser.getUsername()); } @Test public void get() { when(_userDAO.select(_adminUser.getUsername())).thenReturn(_adminUser); when(_userDAO.select(_adminUser.getUserid())).thenReturn(_adminUser); assertThat(rule.getJerseyTest().target("/user/0").request().header(AUTHORIZATION, "Bearer " + AuthenticatorTest.getAdminUserValidToken()).get(User.class)).isEqualTo(_adminUser); } @Test public void getAll() { when(_userDAO.select(_adminUser.getUsername())).thenReturn(_adminUser); final List<User> allUsers = rule.getJerseyTest().target("/user"). request().header(AUTHORIZATION, "Bearer " + AuthenticatorTest.getAdminUserValidToken()) .get(new GenericType<List<User>>() { }); assertThat(!allUsers.isEmpty()); assertThat(allUsers.contains(_adminUser)); } @Test public void getAllThrows401WhenNotAdminRole() { try { final List<User> allUsers = rule.getJerseyTest().target("/user").request() .header(AUTHORIZATION, "Bearer " + AuthenticatorTest.getRegularUserValidToken()) .get(new GenericType<List<User>>() { }); fail("allUsers should be invalid" + allUsers); } catch (final Exception ex_) { assertThat(ex_).isInstanceOf(NotAuthorizedException.class); } } @Test public void testResetPassword() { final Response response = rule.getJerseyTest().target("/user/pwreset").request().post( Entity.entity(UserTest.getUser(), MediaType.APPLICATION_JSON)); assertEquals(Response.Status.OK.getStatusCode(), response.getStatus()); } @Test public void update() { when(_userDAO.select(_adminUser.getUsername())).thenReturn(_adminUser); final User updated = rule.getJerseyTest().target("/user/0").request().header(AUTHORIZATION, "Bearer " + AuthenticatorTest.getAdminUserValidToken()) .put(Entity.entity(UserTest.getAdminUser(), MediaType.APPLICATION_JSON_TYPE), User.class); assertEquals(UserTest.getAdminUser(),updated); } @Test public void updateInvalidUser() { final User user = UserTest.getUser(); try { final User invalidUser = rule.getJerseyTest().target("/user/1").request().header(AUTHORIZATION, "Bearer " + AuthenticatorTest.getRegularUserValidToken()) .put(Entity.entity(user, MediaType.APPLICATION_JSON_TYPE), User.class); fail("invalidUser should be invalid" + invalidUser); } catch (final Exception ex_) { assertThat(ex_).isInstanceOf(NotAuthorizedException.class); } } }
3e1e6783a6d1702b5d4620016f81bde8fe69adbd
2,116
java
Java
testsuite/integration-tests/src/test/java/org/jboss/resteasy/test/providers/custom/resource/WriterNotBuiltinTestWriter.java
iweiss/Resteasy
254e74f84806534f8a2b57cc73693428a2a9fcca
[ "Apache-2.0" ]
841
2015-01-01T10:13:52.000Z
2021-09-17T03:41:49.000Z
testsuite/integration-tests/src/test/java/org/jboss/resteasy/test/providers/custom/resource/WriterNotBuiltinTestWriter.java
iweiss/Resteasy
254e74f84806534f8a2b57cc73693428a2a9fcca
[ "Apache-2.0" ]
974
2015-01-23T02:42:23.000Z
2021-09-17T03:35:22.000Z
testsuite/integration-tests/src/test/java/org/jboss/resteasy/test/providers/custom/resource/WriterNotBuiltinTestWriter.java
iweiss/Resteasy
254e74f84806534f8a2b57cc73693428a2a9fcca
[ "Apache-2.0" ]
747
2015-01-08T22:48:05.000Z
2021-09-02T15:56:08.000Z
37.785714
210
0.755671
12,867
package org.jboss.resteasy.test.providers.custom.resource; import org.jboss.logging.Logger; import org.jboss.resteasy.plugins.providers.ProviderHelper; import org.jboss.resteasy.util.TypeConverter; import jakarta.ws.rs.Consumes; import jakarta.ws.rs.Produces; import jakarta.ws.rs.WebApplicationException; import jakarta.ws.rs.core.MediaType; import jakarta.ws.rs.core.MultivaluedMap; import jakarta.ws.rs.ext.MessageBodyReader; import jakarta.ws.rs.ext.MessageBodyWriter; import jakarta.ws.rs.ext.Provider; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.lang.annotation.Annotation; import java.lang.reflect.Type; @Provider @Produces("*/*") @Consumes("*/*") public class WriterNotBuiltinTestWriter implements MessageBodyWriter, MessageBodyReader { private static Logger logger = Logger.getLogger(WriterNotBuiltinTestWriter.class); public static volatile boolean used; public boolean isWriteable(Class type, Type genericType, Annotation[] annotations, MediaType mediaType) { return true; } public long getSize(Object o, Class type, Type genericType, Annotation[] annotations, MediaType mediaType) { return o.toString().getBytes().length; } public void writeTo(Object o, Class type, Type genericType, Annotation[] annotations, MediaType mediaType, MultivaluedMap httpHeaders, OutputStream entityStream) throws IOException, WebApplicationException { entityStream.write(o.toString().getBytes()); logger.info("my writeTo"); used = true; } public boolean isReadable(Class type, Type genericType, Annotation[] annotations, MediaType mediaType) { return true; } @SuppressWarnings(value = "unchecked") public Object readFrom(Class type, Type genericType, Annotation[] annotations, MediaType mediaType, MultivaluedMap httpHeaders, InputStream entityStream) throws IOException, WebApplicationException { String value = ProviderHelper.readString(entityStream, mediaType); return TypeConverter.getType(type, value); } }
3e1e6804436b3ba61e2b73fca04dfab3f2c5792f
2,941
java
Java
src/main/java/aztech/modern_industrialization/machines/multiblocks/MultiblockMachineBlockEntity.java
DcZipPL/Modern-Industrialization
fe43f41037121dc8ef9eb48bc34a3e312a50c8d2
[ "MIT" ]
68
2020-09-03T03:29:59.000Z
2022-03-14T13:45:41.000Z
src/main/java/aztech/modern_industrialization/machines/multiblocks/MultiblockMachineBlockEntity.java
DcZipPL/Modern-Industrialization
fe43f41037121dc8ef9eb48bc34a3e312a50c8d2
[ "MIT" ]
240
2020-09-03T02:05:07.000Z
2022-03-31T00:21:35.000Z
src/main/java/aztech/modern_industrialization/machines/multiblocks/MultiblockMachineBlockEntity.java
DcZipPL/Modern-Industrialization
fe43f41037121dc8ef9eb48bc34a3e312a50c8d2
[ "MIT" ]
61
2020-09-17T15:43:52.000Z
2022-03-29T09:59:20.000Z
39.213333
116
0.752465
12,868
/* * MIT License * * Copyright (c) 2020 Azercoco & Technici4n * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ package aztech.modern_industrialization.machines.multiblocks; import aztech.modern_industrialization.machines.BEP; import aztech.modern_industrialization.machines.MachineBlockEntity; import aztech.modern_industrialization.machines.components.OrientationComponent; import aztech.modern_industrialization.machines.components.ShapeValidComponent; import aztech.modern_industrialization.machines.gui.MachineGuiParameters; import aztech.modern_industrialization.machines.helper.OrientationHelper; import net.minecraft.entity.player.PlayerEntity; import net.minecraft.util.ActionResult; import net.minecraft.util.Hand; import net.minecraft.util.math.Direction; public abstract class MultiblockMachineBlockEntity extends MachineBlockEntity { public MultiblockMachineBlockEntity(BEP bep, MachineGuiParameters guiParams, OrientationComponent orientation) { super(bep, guiParams); this.orientation = orientation; this.shapeValid = new ShapeValidComponent(); registerComponents(orientation, shapeValid); } public final OrientationComponent orientation; public final ShapeValidComponent shapeValid; public boolean isShapeValid() { return shapeValid.shapeValid; } protected abstract void unlink(); @Override protected ActionResult onUse(PlayerEntity player, Hand hand, Direction face) { ActionResult result = OrientationHelper.onUse(player, hand, face, orientation, this); if (result.isAccepted() && !world.isClient) { unlink(); sync(false); } return result; } @Override public final void markRemoved() { super.markRemoved(); if (!world.isClient) { unlink(); } } public abstract ShapeTemplate getActiveShape(); }
3e1e68ff0a510fdb1ec243ef0aaaca1764212a57
4,755
java
Java
epubCore/src/main/java/rmkj/lib/read/webview/PRMWebChromeClient.java
zhangkari/yzlauncher
90784936a9ec75e702120941fbfac6f1b40b93d5
[ "Apache-2.0" ]
1
2021-08-07T13:18:45.000Z
2021-08-07T13:18:45.000Z
epubCore/src/main/java/rmkj/lib/read/webview/PRMWebChromeClient.java
zhangkari/yzlauncher
90784936a9ec75e702120941fbfac6f1b40b93d5
[ "Apache-2.0" ]
null
null
null
epubCore/src/main/java/rmkj/lib/read/webview/PRMWebChromeClient.java
zhangkari/yzlauncher
90784936a9ec75e702120941fbfac6f1b40b93d5
[ "Apache-2.0" ]
2
2020-10-12T13:26:59.000Z
2020-11-25T20:43:14.000Z
26.564246
132
0.739222
12,870
package rmkj.lib.read.webview; import android.graphics.Bitmap; import android.os.Message; import android.view.View; import android.webkit.ConsoleMessage; import android.webkit.GeolocationPermissions.Callback; import android.webkit.JsPromptResult; import android.webkit.JsResult; import android.webkit.WebChromeClient; import android.webkit.WebStorage.QuotaUpdater; import android.webkit.WebView; import rmkj.lib.read.util.LogUtil; /** * webview WebChromeClient * * @author zsx * */ public class PRMWebChromeClient extends WebChromeClient { @Override public boolean onJsAlert(WebView view, String url, String message, JsResult result) { if (LogUtil.DEBUG) { LogUtil.e(this, "onJsAlert:" + message); return super.onJsAlert(view, url, message, result); } /** 如果不是Debug模式.不弹出JS错误对话框 */ return true; } @Override public void onCloseWindow(WebView window) { super.onCloseWindow(window); if (LogUtil.DEBUG) { LogUtil.e(this, "onCloseWindow"); } } @Override public boolean onConsoleMessage(ConsoleMessage consoleMessage) { if (LogUtil.DEBUG) { LogUtil.e(this, "onConsoleMessage:"); } return super.onConsoleMessage(consoleMessage); } @Override public boolean onCreateWindow(WebView view, boolean isDialog, boolean isUserGesture, Message resultMsg) { if (LogUtil.DEBUG) { LogUtil.e(this, "onCreateWindow:"); } return super.onCreateWindow(view, isDialog, isUserGesture, resultMsg); } @Override public void onExceededDatabaseQuota(String url, String databaseIdentifier, long quota, long estimatedDatabaseSize, long totalQuota, QuotaUpdater quotaUpdater) { if (LogUtil.DEBUG) { LogUtil.e(this, "onExceededDatabaseQuota:"); } super.onExceededDatabaseQuota(url, databaseIdentifier, quota, estimatedDatabaseSize, totalQuota, quotaUpdater); } @Override public void onGeolocationPermissionsHidePrompt() { if (LogUtil.DEBUG) { LogUtil.e(this, "onGeolocationPermissionsHidePrompt:"); } super.onGeolocationPermissionsHidePrompt(); } @Override public void onGeolocationPermissionsShowPrompt(String origin, Callback callback) { if (LogUtil.DEBUG) { LogUtil.e(this, "onGeolocationPermissionsShowPrompt:"); } super.onGeolocationPermissionsShowPrompt(origin, callback); } @Override public void onHideCustomView() { if (LogUtil.DEBUG) { LogUtil.e(this, "onHideCustomView:"); } super.onHideCustomView(); } @Override public boolean onJsBeforeUnload(WebView view, String url, String message, JsResult result) { if (LogUtil.DEBUG) { LogUtil.e(this, "onJsBeforeUnload:"); } return super.onJsBeforeUnload(view, url, message, result); } @Override public boolean onJsConfirm(WebView view, String url, String message, JsResult result) { if (LogUtil.DEBUG) { LogUtil.e(this, "onJsConfirm:"); } return super.onJsConfirm(view, url, message, result); } @Override public boolean onJsPrompt(WebView view, String url, String message, String defaultValue, JsPromptResult result) { if (LogUtil.DEBUG) { LogUtil.e(this, "onJsPrompt:"); } return super.onJsPrompt(view, url, message, defaultValue, result); } @SuppressWarnings("deprecation") @Override public boolean onJsTimeout() { if (LogUtil.DEBUG) { LogUtil.e(this, "onJsTimeout:"); } return super.onJsTimeout(); } @Override public void onProgressChanged(WebView view, int newProgress) { if (LogUtil.DEBUG) { LogUtil.e(this, "onProgressChanged:" + newProgress); } super.onProgressChanged(view, newProgress); } @Override public void onReachedMaxAppCacheSize(long requiredStorage, long quota, QuotaUpdater quotaUpdater) { if (LogUtil.DEBUG) { LogUtil.e(this, "onReachedMaxAppCacheSize:"); } super.onReachedMaxAppCacheSize(requiredStorage, quota, quotaUpdater); } @Override public void onReceivedIcon(WebView view, Bitmap icon) { if (LogUtil.DEBUG) { LogUtil.e(this, "onReceivedIcon:"); } super.onReceivedIcon(view, icon); } @Override public void onReceivedTitle(WebView view, String title) { if (LogUtil.DEBUG) { LogUtil.e(this, "onReceivedTitle:" + title); } // super.onReceivedTitle(view, title); } @Override public void onReceivedTouchIconUrl(WebView view, String url, boolean precomposed) { if (LogUtil.DEBUG) { LogUtil.e(this, "onReceivedTouchIconUrl:" + url + ":" + String.valueOf(precomposed)); } super.onReceivedTouchIconUrl(view, url, precomposed); } @Override public void onRequestFocus(WebView view) { if (LogUtil.DEBUG) { LogUtil.e(this, "onRequestFocus:"); } super.onRequestFocus(view); } @Override public void onShowCustomView(View view, CustomViewCallback callback) { if (LogUtil.DEBUG) { LogUtil.e(this, "onShowCustomView:"); } super.onShowCustomView(view, callback); } }
3e1e6ad2d6570292e20fe0c50e63ccae5ad3f16e
9,684
java
Java
services/base-rpc/src/main/java/com/dremio/exec/rpc/BasicServer.java
geetek/dremio-oss
812c7f32f9437df52b1d7bd8d5c45f9a79b6e9d2
[ "Apache-2.0" ]
1,085
2017-07-19T15:08:38.000Z
2022-03-29T13:35:07.000Z
services/base-rpc/src/main/java/com/dremio/exec/rpc/BasicServer.java
geetek/dremio-oss
812c7f32f9437df52b1d7bd8d5c45f9a79b6e9d2
[ "Apache-2.0" ]
20
2017-07-19T20:16:27.000Z
2021-12-02T10:56:25.000Z
services/base-rpc/src/main/java/com/dremio/exec/rpc/BasicServer.java
geetek/dremio-oss
812c7f32f9437df52b1d7bd8d5c45f9a79b6e9d2
[ "Apache-2.0" ]
398
2017-07-19T18:12:58.000Z
2022-03-30T09:37:40.000Z
36.269663
118
0.712412
12,871
/* * Copyright (C) 2017-2019 Dremio Corporation * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.dremio.exec.rpc; import java.io.IOException; import java.net.BindException; import java.net.InetSocketAddress; import java.util.concurrent.TimeUnit; import javax.net.ssl.SSLException; import org.apache.arrow.memory.BufferAllocator; import com.google.protobuf.Internal.EnumLite; import com.dremio.common.exceptions.UserException; import com.dremio.exec.proto.GeneralRPCProtos.RpcMode; import com.google.protobuf.MessageLite; import com.google.protobuf.Parser; import io.netty.bootstrap.ServerBootstrap; import io.netty.buffer.ByteBuf; import io.netty.buffer.ByteBufAllocator; import io.netty.channel.Channel; import io.netty.channel.ChannelFutureListener; import io.netty.channel.ChannelHandlerContext; import io.netty.channel.ChannelInitializer; import io.netty.channel.ChannelOption; import io.netty.channel.ChannelPipeline; import io.netty.channel.EventLoopGroup; import io.netty.channel.group.ChannelGroup; import io.netty.channel.group.DefaultChannelGroup; import io.netty.channel.socket.SocketChannel; import io.netty.handler.timeout.ReadTimeoutHandler; import io.netty.util.concurrent.GlobalEventExecutor; /** * A server is bound to a port and is responsible for responding to various type of requests. In some cases, * the inbound requests will generate more than one outbound request. * * TODO: Above comment seems incorrect.. with each request, the client sends a coordination id which is single-use. * * @param <T> rpc type * @param <C> connection type */ public abstract class BasicServer<T extends EnumLite, C extends RemoteConnection> extends RpcBus<T, C> { protected static final String TIMEOUT_HANDLER = "timeout-handler"; protected static final String MESSAGE_DECODER = "message-decoder"; private final ServerBootstrap b; private final ChannelGroup allChannels = new DefaultChannelGroup(GlobalEventExecutor.INSTANCE); public BasicServer( final RpcConfig rpcMapping, ByteBufAllocator alloc, EventLoopGroup eventLoopGroup) { super(rpcMapping); b = new ServerBootstrap() .channel(TransportCheck.getServerSocketChannel()) .option(ChannelOption.SO_BACKLOG, 1000) .option(ChannelOption.CONNECT_TIMEOUT_MILLIS, (int) TimeUnit.SECONDS.toMillis(30)) .option(ChannelOption.TCP_NODELAY, true) .option(ChannelOption.SO_REUSEADDR, true) .option(ChannelOption.SO_RCVBUF, 1 << 17) .option(ChannelOption.SO_SNDBUF, 1 << 17) .group(eventLoopGroup) .childOption(ChannelOption.ALLOCATOR, alloc) .childHandler(new ChannelInitializer<SocketChannel>() { @Override protected void initChannel(SocketChannel ch) throws Exception { BasicServer.this.initChannel(ch); } @Override public void channelActive(ChannelHandlerContext ctx) throws Exception { allChannels.add(ctx.channel()); super.channelActive(ctx); } @Override public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception { logger.warn("Failed to initialize a channel. Closing: {}", ctx.channel(), cause); ctx.close(); } }); } /** * Initialize the {@code SocketChannel}. * * This method initializes a new channel created by the {@code ServerBootstrap} * * The default implementation create a remote connection, configures a default pipeline * which handles coding/decoding messages, handshaking, timeout and error handling based * on {@code RpcConfig} instance provided at construction time. * * On each call to this method, every handler added must be a new instance. As of now, the * handlers cannot be shared across connections. * * Subclasses can override it to add extra handlers if needed. * * @param ch the socket channel */ protected void initChannel(final SocketChannel ch) throws SSLException { C connection = initRemoteConnection(ch); connection.setChannelCloseHandler(newCloseListener(ch, connection)); final ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast(PROTOCOL_ENCODER, new RpcEncoder("s-" + rpcConfig.getName())); pipeline.addLast(MESSAGE_DECODER, newDecoder(connection.getAllocator())); pipeline.addLast(HANDSHAKE_HANDLER, newHandshakeHandler(connection)); if (rpcConfig.hasTimeout()) { pipeline.addLast(TIMEOUT_HANDLER, new LoggingReadTimeoutHandler(connection, rpcConfig.getTimeout())); } pipeline.addLast(MESSAGE_HANDLER, new InboundHandler(connection)); pipeline.addLast(EXCEPTION_HANDLER, new RpcExceptionHandler<>(connection)); } /** * Closes a connection if no data was read on the channel for the given timeout. */ private class LoggingReadTimeoutHandler extends ReadTimeoutHandler { private final C connection; private final int timeoutSeconds; private LoggingReadTimeoutHandler(C connection, int timeoutSeconds) { super(timeoutSeconds); this.connection = connection; this.timeoutSeconds = timeoutSeconds; } @Override protected void readTimedOut(ChannelHandlerContext ctx) throws Exception { logger.info("RPC connection {} timed out. Timeout was set to {} seconds. Closing connection.", connection.getName(), timeoutSeconds); super.readTimedOut(ctx); } } /** * Return new message decoder to be added to channel pipeline. * * @param allocator allocator * @return message decoder */ protected abstract MessageDecoder newDecoder(BufferAllocator allocator); /** * Return new handshake handler to be added to channel pipeline. * * @param connection connection * @return handshake handler */ protected abstract ServerHandshakeHandler<?> newHandshakeHandler(C connection); /** * {@inheritDoc} */ @Override protected abstract Response handle(C connection, int rpcType, byte[] pBody, ByteBuf dBody) throws RpcException; /** * See {@link RpcBus#send}. */ @Override // overridden to expand visibility public <SEND extends MessageLite, RECEIVE extends MessageLite> RpcFuture<RECEIVE> send(C connection, T rpcType, SEND protobufBody, Class<RECEIVE> clazz, ByteBuf... dataBodies) { return super.send(connection, rpcType, protobufBody, clazz, dataBodies); } /** * Bind the server to a port on which the server reads and writes messages to. * <p> * If port hunting is disabled, the initial port is the port the server binds to, without retry in case of failures. * If port hunting is enabled, this method tries to bind to a port starting from the initial port, until successful. * * @param initialPort initial port * @param allowPortHunting if port hunting is enabled * @return the port that the server bound to */ public int bind(final int initialPort, boolean allowPortHunting) { int port = initialPort; while (true) { try { Channel channel = b.bind(port).sync().channel(); allChannels.add(channel); port = ((InetSocketAddress)channel.localAddress()).getPort(); break; } catch (Exception e) { // TODO(DRILL-3026): Revisit: Exception is not (always) BindException. // One case is "java.io.IOException: bind() failed: Address already in // use". if (e instanceof BindException && allowPortHunting) { port++; continue; } throw UserException.resourceError(e) .addContext("Server", rpcConfig.getName()) .message("Could not bind to port %s.", port) .build(logger); } } logger.info("[{}]: Server started on port {}.", rpcConfig.getName(), port); return port; } @Override public void close() throws IOException { try { allChannels.close().sync(); } catch (InterruptedException e) { logger.warn("[{}]: Failure while shutting down.", rpcConfig.getName(), e); Thread.currentThread().interrupt(); } logger.info("[{}]: Server shutdown.", rpcConfig.getName()); } /** * Server handshake handler. * * @param <T> handshake type */ protected static abstract class ServerHandshakeHandler<T extends MessageLite> extends AbstractHandshakeHandler<T> { protected ServerHandshakeHandler(EnumLite handshakeType, Parser<T> parser) { super(handshakeType, parser); } @Override protected void consumeHandshake(ChannelHandlerContext ctx, T inbound) throws Exception { OutboundRpcMessage msg = new OutboundRpcMessage(RpcMode.RESPONSE, this.handshakeType, coordinationId, getHandshakeResponse(inbound)); ctx.writeAndFlush(msg).addListener(ChannelFutureListener.CLOSE_ON_FAILURE); } /** * Returns the response for the given handshake request. * * @param inbound handshake request * @return handshake response * @throws Exception if handshake is unsuccessful for some reason */ public abstract MessageLite getHandshakeResponse(T inbound) throws Exception; } }
3e1e6afdb64767d1e21b11f6b772bce89f9b96f1
5,766
java
Java
src/main/java/com/devopswise/cdtportal/model/User.java
devopswise/cdtportal
95b9a222f0baccc23f75ed748f396f62b1c6cbd0
[ "MIT" ]
null
null
null
src/main/java/com/devopswise/cdtportal/model/User.java
devopswise/cdtportal
95b9a222f0baccc23f75ed748f396f62b1c6cbd0
[ "MIT" ]
null
null
null
src/main/java/com/devopswise/cdtportal/model/User.java
devopswise/cdtportal
95b9a222f0baccc23f75ed748f396f62b1c6cbd0
[ "MIT" ]
null
null
null
20.446809
116
0.645855
12,872
package com.devopswise.cdtportal.model; import java.util.Objects; import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonCreator; import io.swagger.annotations.ApiModel; import io.swagger.annotations.ApiModelProperty; import javax.persistence.Entity; import javax.persistence.Id; import javax.validation.Valid; import javax.validation.constraints.*; /** * User */ @javax.annotation.Generated(value = "io.swagger.codegen.languages.SpringCodegen", date = "2018-11-22T22:35:56.040Z") @Entity public class User { @JsonProperty("id") @Id private Long id = null; @JsonProperty("username") private String username = null; @JsonProperty("firstName") private String firstName = null; @JsonProperty("lastName") private String lastName = null; @JsonProperty("email") private String email = null; @JsonProperty("password") private String password = null; @JsonProperty("phone") private String phone = null; @JsonProperty("userStatus") private Integer userStatus = null; private String uid; private String fullName; public User id(Long id) { this.id = id; return this; } /** * Get id * @return id **/ @ApiModelProperty(value = "") public Long getId() { return id; } public void setId(Long id) { this.id = id; } public User username(String username) { this.username = username; return this; } /** * Get username * @return username **/ @ApiModelProperty(value = "") public String getUsername() { return username; } public void setUsername(String username) { this.username = username; } public User firstName(String firstName) { this.firstName = firstName; return this; } /** * Get firstName * @return firstName **/ @ApiModelProperty(value = "") public String getFirstName() { return firstName; } public void setFirstName(String firstName) { this.firstName = firstName; } public User lastName(String lastName) { this.lastName = lastName; return this; } /** * Get lastName * @return lastName **/ @ApiModelProperty(value = "") public String getLastName() { return lastName; } public void setLastName(String lastName) { this.lastName = lastName; } public User email(String email) { this.email = email; return this; } /** * Get email * @return email **/ @ApiModelProperty(value = "") public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } public User password(String password) { this.password = password; return this; } /** * Get password * @return password **/ @ApiModelProperty(value = "") public String getPassword() { return password; } public void setPassword(String password) { this.password = password; } public User phone(String phone) { this.phone = phone; return this; } /** * Get phone * @return phone **/ @ApiModelProperty(value = "") public String getPhone() { return phone; } public void setPhone(String phone) { this.phone = phone; } public User userStatus(Integer userStatus) { this.userStatus = userStatus; return this; } /** * User Account status, active or disabled * @return userStatus **/ @ApiModelProperty(value = "User Account status, active or disabled") public Integer getUserStatus() { return userStatus; } public void setUserStatus(Integer userStatus) { this.userStatus = userStatus; } @Override public boolean equals(java.lang.Object o) { if (this == o) { return true; } if (o == null || getClass() != o.getClass()) { return false; } User user = (User) o; return Objects.equals(this.id, user.id) && Objects.equals(this.username, user.username) && Objects.equals(this.firstName, user.firstName) && Objects.equals(this.lastName, user.lastName) && Objects.equals(this.email, user.email) && Objects.equals(this.password, user.password) && Objects.equals(this.phone, user.phone) && Objects.equals(this.userStatus, user.userStatus); } @Override public int hashCode() { return Objects.hash(id, username, firstName, lastName, email, password, phone, userStatus); } @Override public String toString() { StringBuilder sb = new StringBuilder(); sb.append("class User {\n"); sb.append(" id: ").append(toIndentedString(id)).append("\n"); sb.append(" uid: ").append(toIndentedString(uid)).append("\n"); sb.append(" username: ").append(toIndentedString(username)).append("\n"); sb.append(" firstName: ").append(toIndentedString(firstName)).append("\n"); sb.append(" lastName: ").append(toIndentedString(lastName)).append("\n"); sb.append(" email: ").append(toIndentedString(email)).append("\n"); sb.append(" password: ").append(toIndentedString(password)).append("\n"); sb.append(" phone: ").append(toIndentedString(phone)).append("\n"); sb.append(" userStatus: ").append(toIndentedString(userStatus)).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 "); } public String getUid() { return uid; } public void setUid(String uid) { this.uid = uid; } public String getFullName() { return fullName; } public void setFullName(String fullName) { this.fullName = fullName; } }
3e1e6bba2887d4e9741430ed585854a5f3bde047
1,542
java
Java
royale-compiler/compiler/src/main/java/org/apache/royale/compiler/problems/InvalidConfigLocationProblem.java
alinakazi/apache-royale-0.9.8-bin-js-swf
d0e4cc7a3cb50021694de41a57196660bbcd5e65
[ "Apache-2.0" ]
null
null
null
royale-compiler/compiler/src/main/java/org/apache/royale/compiler/problems/InvalidConfigLocationProblem.java
alinakazi/apache-royale-0.9.8-bin-js-swf
d0e4cc7a3cb50021694de41a57196660bbcd5e65
[ "Apache-2.0" ]
null
null
null
royale-compiler/compiler/src/main/java/org/apache/royale/compiler/problems/InvalidConfigLocationProblem.java
alinakazi/apache-royale-0.9.8-bin-js-swf
d0e4cc7a3cb50021694de41a57196660bbcd5e65
[ "Apache-2.0" ]
null
null
null
29.653846
91
0.704929
12,873
/* * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. * */ package org.apache.royale.compiler.problems; import org.apache.royale.compiler.common.ISourceLocation; /** * A config namespace must be declared in a top level of a program or package. * * Error when a config namespace is defined inside a class: * * package * { * class C * { * config namespace FOO; * } * } * */ public class InvalidConfigLocationProblem extends SemanticProblem { public static final String DESCRIPTION = "A configuration value must be declared at the top level of a program or package."; public static final int errorCode = 1210; public InvalidConfigLocationProblem (ISourceLocation site) { super(site); } }
3e1e6d06249f9e948b2ed57f002b404be9a04922
197
java
Java
backend-spring-boot/src/main/java/com/facundocastro/api/model/Localizacion.java
FacuCR/Proyecto-YoProgramo
3c92b85892e5f8c4e553b2c8e35808b3935c3ecb
[ "MIT" ]
null
null
null
backend-spring-boot/src/main/java/com/facundocastro/api/model/Localizacion.java
FacuCR/Proyecto-YoProgramo
3c92b85892e5f8c4e553b2c8e35808b3935c3ecb
[ "MIT" ]
null
null
null
backend-spring-boot/src/main/java/com/facundocastro/api/model/Localizacion.java
FacuCR/Proyecto-YoProgramo
3c92b85892e5f8c4e553b2c8e35808b3935c3ecb
[ "MIT" ]
null
null
null
15.153846
36
0.771574
12,874
package com.facundocastro.api.model; import lombok.Data; import javax.persistence.Embeddable; @Data @Embeddable public class Localizacion { private String pais; private String ciudad; }
3e1e6d9e21b3a7bef8f71a4837f9ef7cb274c487
1,851
java
Java
src/main/java/com/purejadeite/genee/option/table/Follow.java
mitsuhiroseino/pj-genee
bb558a298fbcab9a2e56486ca67b976fe6391d7f
[ "MIT" ]
null
null
null
src/main/java/com/purejadeite/genee/option/table/Follow.java
mitsuhiroseino/pj-genee
bb558a298fbcab9a2e56486ca67b976fe6391d7f
[ "MIT" ]
null
null
null
src/main/java/com/purejadeite/genee/option/table/Follow.java
mitsuhiroseino/pj-genee
bb558a298fbcab9a2e56486ca67b976fe6391d7f
[ "MIT" ]
null
null
null
23.1375
96
0.666667
12,875
package com.purejadeite.genee.option.table; import static com.purejadeite.util.collection.RoughlyMapUtils.*; import java.util.ArrayList; import java.util.LinkedHashMap; import java.util.List; import java.util.Map; import com.purejadeite.genee.content.ContentInterface; import com.purejadeite.genee.definition.DefinitionInterface; import com.purejadeite.util.SimpleValidator; /** * 前の要素の引き継ぎテーブルコンバーター * * @author mitsuhiroseino * */ public class Follow extends AbstractTableOption { /** * */ private static final long serialVersionUID = 773577324637357082L; protected static final String CFG_FOLLOW_ID = "followId"; /** * 必須項目名称 */ private static final String[] CONFIG = { CFG_FOLLOW_ID }; /** * フォローする項目の定義ID */ protected String followId; /** * コンストラクタ * * @param config * コンバーターのコンフィグ */ public Follow(DefinitionInterface<?> definition, Map<String, Object> config) { super(definition); SimpleValidator.containsKey(config, CONFIG); this.followId = getString(config, CFG_FOLLOW_ID); } /** * {@inheritDoc} */ @Override protected Object applyImpl(List<Map<String, Object>> values, ContentInterface<?, ?> content) { // keyIdの項目の値が空だったらひとつ前の値を引き継ぐ List<Map<String, Object>> newValues = new ArrayList<>(); Object prev = null; for (Map<String, Object> line : values) { Map<String, Object> newLine = new LinkedHashMap<>(line); Object key = newLine.get(followId); if (key == null || key.toString().equals("")) { newLine.put(followId, prev); } newValues.add(newLine); prev = key; } return newValues; } /** * {@inheritDoc} */ @Override public Map<String, Object> toMap() { Map<String, Object> map = super.toMap(); map.put("followId", followId); return map; } }
3e1e6e1edf75dfe608a10ace9683d24b51251bfa
3,372
java
Java
src/main/java/tfar/passwordtables/recipe/PasswordProtectedShapedCraftingRecipe.java
Tfarcenim/PasswordTables
a820d372794d5ec6c497aa03bbe279ad54b1e754
[ "Unlicense" ]
null
null
null
src/main/java/tfar/passwordtables/recipe/PasswordProtectedShapedCraftingRecipe.java
Tfarcenim/PasswordTables
a820d372794d5ec6c497aa03bbe279ad54b1e754
[ "Unlicense" ]
null
null
null
src/main/java/tfar/passwordtables/recipe/PasswordProtectedShapedCraftingRecipe.java
Tfarcenim/PasswordTables
a820d372794d5ec6c497aa03bbe279ad54b1e754
[ "Unlicense" ]
null
null
null
23.58042
163
0.68446
12,876
package tfar.passwordtables.recipe; import net.minecraft.inventory.InventoryCrafting; import net.minecraft.item.ItemStack; import net.minecraft.item.crafting.Ingredient; import net.minecraft.util.ResourceLocation; import tfar.passwordtables.PasswordInventoryCrafting; import javax.annotation.Nonnull; import java.util.List; public class PasswordProtectedShapedCraftingRecipe implements PasswordProtectedRecipe { protected String password; @Nonnull protected ItemStack output; protected List<Ingredient> input; protected int width; protected int height; protected boolean mirrored = true; protected ResourceLocation group; public PasswordProtectedShapedCraftingRecipe(ResourceLocation group, List<Ingredient> inputs, int width, int height, @Nonnull ItemStack result, String password) { this.group = group; this.input = inputs; output = result; this.password = password; this.width = width; this.height = height; } /** * Returns an Item that is the result of this recipe */ @Nonnull public ItemStack getCraftingResult(@Nonnull InventoryCrafting var1) { return output.copy(); } /** * Get the result of this recipe, usually for display purposes (e.g. recipe book). If your recipe has more than one * possible result (e.g. it's dynamic and depends on its inputs), then return an empty stack. */ @Nonnull public ItemStack getRecipeOutput() { return output; } /** * Based on {@link net.minecraft.item.crafting.ShapedRecipes#checkMatch(InventoryCrafting, int, int, boolean)} */ protected boolean checkMatch(InventoryCrafting inv, int startX, int startY, boolean mirror) { for (int x = 0; x < inv.getWidth(); x++) { for (int y = 0; y < inv.getHeight(); y++) { int subX = x - startX; int subY = y - startY; Ingredient target = Ingredient.EMPTY; if (subX >= 0 && subY >= 0 && subX < width && subY < height) { if (mirror) { target = input.get(width - subX - 1 + subY * width); } else { target = input.get(subX + subY * width); } } if (!target.apply(inv.getStackInRowAndColumn(x, y))) { return false; } } } return true; } public PasswordProtectedShapedCraftingRecipe setMirrored(boolean mirror) { mirrored = mirror; return this; } public int getWidth() { return width; } public int getHeight() { return height; } /** * Recipes with equal group are combined into one button in the recipe book */ @Nonnull public String getGroup() { return this.group == null ? "" : this.group.toString(); } /** * Used to determine if this recipe can fit in a grid of the given width/height */ public boolean canFit(int width, int height) { return width >= this.width && height >= this.height; } @Override public String getPassword() { return password; } @Override public List<Ingredient> getInputs() { return input; } @Override @Nonnull public ItemStack getOutput() { return output.copy(); } @Override public boolean matches(PasswordInventoryCrafting inv) { if (!inv.getPassword().equals(password)) { return false; } for (int x = 0; x <= inv.getWidth() - width; x++) { for (int y = 0; y <= inv.getHeight() - height; ++y) { if (checkMatch(inv, x, y, false)) { return true; } if (mirrored && checkMatch(inv, x, y, true)) { return true; } } } return false; } }
3e1e6f7da4317908ff30d0d931b3355f7930b895
1,452
java
Java
ExtractedJars/Shopkick_com.shopkick.app/javafiles/com/google/android/gms/common/api/internal/zaad.java
Andreas237/AndroidPolicyAutomation
c1ed10a2c6d4cf3dfda8b8e6291dee2c2a15ee8a
[ "MIT" ]
3
2019-05-01T09:22:08.000Z
2019-07-06T22:21:59.000Z
ExtractedJars/Shopkick_com.shopkick.app/javafiles/com/google/android/gms/common/api/internal/zaad.java
Andreas237/AndroidPolicyAutomation
c1ed10a2c6d4cf3dfda8b8e6291dee2c2a15ee8a
[ "MIT" ]
null
null
null
ExtractedJars/Shopkick_com.shopkick.app/javafiles/com/google/android/gms/common/api/internal/zaad.java
Andreas237/AndroidPolicyAutomation
c1ed10a2c6d4cf3dfda8b8e6291dee2c2a15ee8a
[ "MIT" ]
1
2020-11-26T12:22:02.000Z
2020-11-26T12:22:02.000Z
29.632653
76
0.595041
12,877
// Decompiled by Jad v1.5.8g. Copyright 2001 Pavel Kouznetsov. // Jad home page: http://www.kpdus.com/jad.html // Decompiler options: packimports(3) annotate safe package com.google.android.gms.common.api.internal; import com.google.android.gms.tasks.*; import java.util.Map; // Referenced classes of package com.google.android.gms.common.api.internal: // zaab final class zaad implements OnCompleteListener { zaad(zaab zaab1, TaskCompletionSource taskcompletionsource) { zafm = zaab1; // 0 0:aload_0 // 1 1:aload_1 // 2 2:putfield #15 <Field zaab zafm> zafn = taskcompletionsource; // 3 5:aload_0 // 4 6:aload_2 // 5 7:putfield #17 <Field TaskCompletionSource zafn> super(); // 6 10:aload_0 // 7 11:invokespecial #20 <Method void Object()> // 8 14:return } public final void onComplete(Task task) { zaab.zab(zafm).remove(((Object) (zafn))); // 0 0:aload_0 // 1 1:getfield #15 <Field zaab zafm> // 2 4:invokestatic #30 <Method Map zaab.zab(zaab)> // 3 7:aload_0 // 4 8:getfield #17 <Field TaskCompletionSource zafn> // 5 11:invokeinterface #36 <Method Object Map.remove(Object)> // 6 16:pop // 7 17:return } private final zaab zafm; private final TaskCompletionSource zafn; }
3e1e6f973e210cde108da1f7f5c24ceddc6f717a
793
java
Java
coolWeather/app/src/main/java/com/example/coolweather/db/City.java
NJHu/AndroidBasisCode
c1782042de19e8b51d30a17eba5ba40982d4de56
[ "MIT" ]
null
null
null
coolWeather/app/src/main/java/com/example/coolweather/db/City.java
NJHu/AndroidBasisCode
c1782042de19e8b51d30a17eba5ba40982d4de56
[ "MIT" ]
null
null
null
coolWeather/app/src/main/java/com/example/coolweather/db/City.java
NJHu/AndroidBasisCode
c1782042de19e8b51d30a17eba5ba40982d4de56
[ "MIT" ]
null
null
null
18.44186
46
0.617907
12,878
package com.example.coolweather.db; import org.litepal.crud.LitePalSupport; public class City extends LitePalSupport { private int id; private String cityName; private int cityCode; private int proviceId; public int getId() { return id; } public void setId(int id) { this.id = id; } public String getCityName() { return cityName; } public void setCityName(String cityName) { this.cityName = cityName; } public int getCityCode() { return cityCode; } public void setCityCode(int cityCode) { this.cityCode = cityCode; } public int getProviceId() { return proviceId; } public void setProviceId(int proviceId) { this.proviceId = proviceId; } }
3e1e701d87488a51355d32d38f5b448f39f593fa
1,350
java
Java
src/main/java/com/rapid7/sdlc/plugin/ruleset/property/StringContainsPropertyEvaluator.java
frvasquezjaquez/rapid7-insightvm-container-assessment-plugin
5e789ff89b8c1e363c3e0d51be88484ad075d571
[ "MIT" ]
3
2020-02-04T15:05:10.000Z
2021-03-18T20:10:20.000Z
src/main/java/com/rapid7/sdlc/plugin/ruleset/property/StringContainsPropertyEvaluator.java
frvasquezjaquez/rapid7-insightvm-container-assessment-plugin
5e789ff89b8c1e363c3e0d51be88484ad075d571
[ "MIT" ]
9
2019-11-13T09:27:32.000Z
2022-03-22T18:21:20.000Z
src/main/java/com/rapid7/sdlc/plugin/ruleset/property/StringContainsPropertyEvaluator.java
frvasquezjaquez/rapid7-insightvm-container-assessment-plugin
5e789ff89b8c1e363c3e0d51be88484ad075d571
[ "MIT" ]
6
2019-03-22T19:56:03.000Z
2021-02-08T08:35:11.000Z
22.5
84
0.686667
12,879
package com.rapid7.sdlc.plugin.ruleset.property; import com.rapid7.sdlc.plugin.api.model.Image; import com.rapid7.sdlc.plugin.ruleset.RuleResult; import hudson.Util; import java.util.List; /** * Evaluates some arbitrary property of an assessment report, comparing the * result against a numeric threshold. */ public abstract class StringContainsPropertyEvaluator implements PropertyEvaluator { String pattern; public StringContainsPropertyEvaluator() { pattern = ""; } public StringContainsPropertyEvaluator(String pattern) { this.pattern = pattern; } public String getPattern() { return pattern; } public void setPattern(String pattern) { this.pattern = pattern; } @Override public boolean isValid() { return Util.fixEmptyAndTrim(pattern) != null; } @Override public String getConfiguredValue() { return pattern; } public abstract List<String> getMatches(Image result); @Override public RuleResult check(Image result) { List<String> matches = getMatches(result); String value = null; boolean match = false; if (!matches.isEmpty()) { match = true; if (matches.size() > 1) value = "Multiple matches"; else value = matches.iterator().next(); } else { value = "N/A"; } return new RuleResult(match, value); } }
3e1e7176643e660d89801c419f0cd31c05e35831
137
java
Java
src/main/java/mx/nic/rdap/renderer/object/HelpResponse.java
NICMx/rdap-renderer-api
d32d56e262d90086efeec628109e9c3b3fad04ab
[ "Apache-2.0" ]
null
null
null
src/main/java/mx/nic/rdap/renderer/object/HelpResponse.java
NICMx/rdap-renderer-api
d32d56e262d90086efeec628109e9c3b3fad04ab
[ "Apache-2.0" ]
null
null
null
src/main/java/mx/nic/rdap/renderer/object/HelpResponse.java
NICMx/rdap-renderer-api
d32d56e262d90086efeec628109e9c3b3fad04ab
[ "Apache-2.0" ]
null
null
null
15.222222
48
0.737226
12,880
package mx.nic.rdap.renderer.object; /** * Class to represent a help response */ public class HelpResponse extends RdapResponse { }
3e1e71fde12707a1dc4bdff5030e1a6281e77cd3
1,635
java
Java
hotel/src/servlet/AddReceServlet.java
wangwangdaxian/WebHotel
6db452333c70a4ce4f3c569742885bb4c070acf6
[ "MIT" ]
2
2019-12-08T16:42:07.000Z
2020-10-22T11:13:59.000Z
hotel/src/servlet/AddReceServlet.java
ReggieTAT/WebHotel
6db452333c70a4ce4f3c569742885bb4c070acf6
[ "MIT" ]
null
null
null
hotel/src/servlet/AddReceServlet.java
ReggieTAT/WebHotel
6db452333c70a4ce4f3c569742885bb4c070acf6
[ "MIT" ]
3
2019-05-08T02:37:32.000Z
2021-11-24T00:29:54.000Z
29.196429
120
0.719266
12,881
package servlet; import java.io.IOException; import java.sql.SQLException; import javax.servlet.ServletException; import javax.servlet.annotation.WebServlet; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import javaBean.Administor; import sqlDao.AdministorDao; /** * Servlet implementation class AddReceServlet */ @WebServlet("/AddReceServlet") public class AddReceServlet extends HttpServlet { private static final long serialVersionUID = 1L; /** * @see HttpServlet#HttpServlet() */ public AddReceServlet() { super(); // TODO Auto-generated constructor stub } /** * @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response) */ protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { // TODO Auto-generated method stub request.setCharacterEncoding("UTF-8"); response.setCharacterEncoding("UTF-8"); Administor adms=new Administor(); String message=""; adms.setUserId(request.getParameter("userId")); adms.setName(request.getParameter("name")); adms.setPassword(request.getParameter("password")); try { AdministorDao admsDao=new AdministorDao(); if(admsDao.addRece(adms))message="OK!"; else message="ERROR!"; } catch (SQLException e) { // TODO 自动生成的 catch 块 e.printStackTrace(); } request.setAttribute("msg7", message); request.getRequestDispatcher("ManaReceAccount.jsp").forward(request, response); } }
3e1e73da0b5dc6ab6f27b93afe6664013ce83781
1,257
java
Java
spring-boot-jdbc/src/main/java/wangzhongqiu/springboot/jdbc/tools/StringUtil.java
leon66666/spring-boot-frameset
e87e43a08ff28bd563d44c038ee054f5f359a828
[ "Apache-2.0" ]
4
2017-12-29T08:52:56.000Z
2018-03-15T13:25:44.000Z
spring-boot-jdbc/src/main/java/wangzhongqiu/springboot/jdbc/tools/StringUtil.java
leon66666/spring-boot-frameset
e87e43a08ff28bd563d44c038ee054f5f359a828
[ "Apache-2.0" ]
null
null
null
spring-boot-jdbc/src/main/java/wangzhongqiu/springboot/jdbc/tools/StringUtil.java
leon66666/spring-boot-frameset
e87e43a08ff28bd563d44c038ee054f5f359a828
[ "Apache-2.0" ]
8
2017-11-09T03:00:39.000Z
2018-03-16T10:07:13.000Z
20.95
69
0.498011
12,882
package wangzhongqiu.springboot.jdbc.tools; import java.util.regex.Matcher; import java.util.regex.Pattern; /** * 字符串处理工具类 * @author ouzhb */ public class StringUtil { /** * 判断字符串是否为null、“ ”、“null” * @param obj * @return */ public static boolean isNull(String obj) { if (obj == null){ return true; }else if (obj.toString().trim().equals("")){ return true; }else if(obj.toString().trim().toLowerCase().equals("null")){ return true; } return false; } /** * 正则验证是否是数字 * @param str * @return */ public static boolean isNumber(String str) { Pattern pattern = Pattern.compile("[+-]?[0-9]+[0-9]*(\\.[0-9]+)?"); Matcher match = pattern.matcher(str); return match.matches(); } /** * 将一个长整数转换位字节数组(8个字节),b[0]存储高位字符,大端 * * @param l * 长整数 * @return 代表长整数的字节数组 */ public static byte[] longToBytes(long l) { byte[] b = new byte[8]; b[0] = (byte) (l >>> 56); b[1] = (byte) (l >>> 48); b[2] = (byte) (l >>> 40); b[3] = (byte) (l >>> 32); b[4] = (byte) (l >>> 24); b[5] = (byte) (l >>> 16); b[6] = (byte) (l >>> 8); b[7] = (byte) (l); return b; } }
3e1e74aa65c748986dc56ce70e3c89af90cdd54a
1,172
java
Java
cbase/src/main/java/com/cbase/widget/DisableScrollViewPager.java
wilsonchouu/Cbase
5005295c9df6695666d0d1ad2542ce1990bf3676
[ "MIT" ]
null
null
null
cbase/src/main/java/com/cbase/widget/DisableScrollViewPager.java
wilsonchouu/Cbase
5005295c9df6695666d0d1ad2542ce1990bf3676
[ "MIT" ]
null
null
null
cbase/src/main/java/com/cbase/widget/DisableScrollViewPager.java
wilsonchouu/Cbase
5005295c9df6695666d0d1ad2542ce1990bf3676
[ "MIT" ]
null
null
null
22.113208
72
0.645051
12,883
package com.cbase.widget; import android.content.Context; import android.support.v4.view.ViewPager; import android.util.AttributeSet; import android.view.MotionEvent; /** * @author : zhouyx * @date : 2017/5/26 * @description : 不可滑动的ViewPager */ public class DisableScrollViewPager extends ViewPager { private boolean mDisableScroll = false; public DisableScrollViewPager(Context context) { super(context); } public DisableScrollViewPager(Context context, AttributeSet attrs) { super(context, attrs); } public void setDisableScroll(boolean disableScroll) { this.mDisableScroll = disableScroll; } @Override public void scrollTo(int x, int y) { super.scrollTo(x, y); } @Override public boolean onTouchEvent(MotionEvent arg0) { if (mDisableScroll) { return false; } else { return super.onTouchEvent(arg0); } } @Override public boolean onInterceptTouchEvent(MotionEvent arg0) { if (mDisableScroll) { return false; } else { return super.onInterceptTouchEvent(arg0); } } }
3e1e7521626304d3068609867767c23a02cfc812
629
java
Java
src/main/java/com/soecode/xfshxzs/matcher/ExpressMatcher.java
liyifeng1994/xfshxzs
f46b353c44a1022c069cd2c20a0eeca8867c3cec
[ "MIT" ]
38
2016-07-15T01:22:33.000Z
2022-01-23T13:16:10.000Z
src/main/java/com/soecode/xfshxzs/matcher/ExpressMatcher.java
liyifeng1994/xfshxzs
f46b353c44a1022c069cd2c20a0eeca8867c3cec
[ "MIT" ]
null
null
null
src/main/java/com/soecode/xfshxzs/matcher/ExpressMatcher.java
liyifeng1994/xfshxzs
f46b353c44a1022c069cd2c20a0eeca8867c3cec
[ "MIT" ]
28
2016-09-25T08:47:54.000Z
2021-12-11T08:26:25.000Z
27.347826
58
0.672496
12,884
package com.soecode.xfshxzs.matcher; import com.soecode.wxtools.api.WxMessageMatcher; import com.soecode.wxtools.bean.WxXmlMessage; import java.util.regex.Pattern; import java.util.regex.Matcher; /** * 快递单号匹配器 */ public class ExpressMatcher implements WxMessageMatcher { public boolean match(WxXmlMessage message) { String content = message.getContent(); Pattern pattern = Pattern.compile("[0-9]*"); Matcher matcher = pattern.matcher(content); // 如果是数字且长度不小于10位则匹配 if (matcher.matches() && content.length() >= 10) { return true; } return false; } }
3e1e752e7f3010ec57826bb2069fca74cde3b29c
718
java
Java
src/model/InspectionFactory.java
Mya-Mya/BI2DetectionCarer
63406a2cef7b5c3c2d4eae126cf69b3bbc2f7017
[ "MIT" ]
null
null
null
src/model/InspectionFactory.java
Mya-Mya/BI2DetectionCarer
63406a2cef7b5c3c2d4eae126cf69b3bbc2f7017
[ "MIT" ]
null
null
null
src/model/InspectionFactory.java
Mya-Mya/BI2DetectionCarer
63406a2cef7b5c3c2d4eae126cf69b3bbc2f7017
[ "MIT" ]
null
null
null
31.217391
82
0.679666
12,885
package model; import java.io.File; import java.util.List; public class InspectionFactory { /** * @param detectionDir 検出情報が含まれるディレクトリ * @param imageDir 検証・未訂正の画像が含まれるディレクトリ * @return inspection */ public static Inspection createInspection(File detectionDir, File imageDir) { ImageDatabase imageDatabase = new ImageDatabase(imageDir); DetectionDatabase detectionDatabase = new DetectionDatabase(detectionDir); Inspection inspection = new Inspection( detectionDatabase.getDetectionInfoList(), imageDatabase.getImageInfoList(), detectionDatabase.getDetectionLabelSet() ); return inspection; } }
3e1e757c598ccbea85c1173df9c8e4ecb464030f
3,722
java
Java
src/main/java/com/hitachivantara/hcp/standard/model/request/impl/PutSystemMetadataRequest.java
pineconehouse/hitachivantara-java-sdk-hcp
b7081fe9a8ee8e5082b8b0f544cd8d9e5ec5ea3c
[ "Apache-2.0" ]
1
2021-06-18T07:55:58.000Z
2021-06-18T07:55:58.000Z
src/main/java/com/hitachivantara/hcp/standard/model/request/impl/PutSystemMetadataRequest.java
pineconehouse/hitachivantara-java-sdk-hcp
b7081fe9a8ee8e5082b8b0f544cd8d9e5ec5ea3c
[ "Apache-2.0" ]
null
null
null
src/main/java/com/hitachivantara/hcp/standard/model/request/impl/PutSystemMetadataRequest.java
pineconehouse/hitachivantara-java-sdk-hcp
b7081fe9a8ee8e5082b8b0f544cd8d9e5ec5ea3c
[ "Apache-2.0" ]
null
null
null
33.531532
151
0.655293
12,886
/* * Copyright (C) 2019 Rison Han * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.hitachivantara.hcp.standard.model.request.impl; import com.amituofo.common.ex.InvalidParameterException; import com.hitachivantara.core.http.Method; import com.hitachivantara.hcp.common.util.ValidUtils; import com.hitachivantara.hcp.standard.model.Retention; import com.hitachivantara.hcp.standard.model.metadata.HCPSystemMetadata; import com.hitachivantara.hcp.standard.model.request.HCPStandardRequest; import com.hitachivantara.hcp.standard.model.request.content.ReqWithSystemMetadata; public class PutSystemMetadataRequest extends HCPStandardRequest<PutSystemMetadataRequest> implements ReqWithSystemMetadata<PutSystemMetadataRequest> { private HCPSystemMetadata metadata = new HCPSystemMetadata(); public PutSystemMetadataRequest() { super(Method.POST); } public PutSystemMetadataRequest(String namespace, String key) { super(Method.POST, namespace, key); } public PutSystemMetadataRequest(String key) { super(Method.POST, key); } @Override public void validRequestParameter() throws InvalidParameterException { ValidUtils.invalidIfNull(metadata, "The parameter metadata must be specified."); ValidUtils.invalidIfZero(metadata.getMetadataMap().size(), "No configuration specified in system metadata."); } public boolean isHold() { return metadata.isHold(); } public PutSystemMetadataRequest withHold(boolean hold) { metadata.setHold(hold); return this; } public boolean isIndex() { return metadata.isIndex(); } public PutSystemMetadataRequest withIndex(boolean index) { metadata.setIndex(index); return this; } public String getRetention() { return metadata.getRetention(); } public PutSystemMetadataRequest withRetention(Retention retention) { metadata.setRetention(retention); return this; } public boolean isShred() { return metadata.isShred(); } public PutSystemMetadataRequest withShred(boolean shred) { metadata.setShred(shred); return this; } public PutSystemMetadataRequest withOwner(String localUserName) { metadata.setOwner(localUserName); return this; } public PutSystemMetadataRequest withOwner(String domain, String domainUserName) { metadata.setOwner(domain, domainUserName); return this; } public String getOwner() { return metadata.getOwner(); } public String getOwnerDomain() { return metadata.getOwnerDomain(); } public HCPSystemMetadata getMetadata() { return metadata; } public PutSystemMetadataRequest withMetadata(HCPSystemMetadata metadata) { this.metadata = metadata; return this; } }
3e1e76880e1f140ea4747ba6be2e682d8bde65bf
6,120
java
Java
src/main/java/edu/kit/ipd/crowdcontrol/objectservice/database/model/tables/records/ExperimentsPlatformStatusRecord.java
LeanderK/CrowdControlProto
f3cb9d1bad576e00e17592aacb1c1606f931245d
[ "Apache-2.0" ]
null
null
null
src/main/java/edu/kit/ipd/crowdcontrol/objectservice/database/model/tables/records/ExperimentsPlatformStatusRecord.java
LeanderK/CrowdControlProto
f3cb9d1bad576e00e17592aacb1c1606f931245d
[ "Apache-2.0" ]
null
null
null
src/main/java/edu/kit/ipd/crowdcontrol/objectservice/database/model/tables/records/ExperimentsPlatformStatusRecord.java
LeanderK/CrowdControlProto
f3cb9d1bad576e00e17592aacb1c1606f931245d
[ "Apache-2.0" ]
null
null
null
23.629344
196
0.686765
12,887
/** * This class is generated by jOOQ */ package edu.kit.ipd.crowdcontrol.objectservice.database.model.tables.records; import edu.kit.ipd.crowdcontrol.objectservice.database.model.enums.ExperimentsPlatformStatusPlatformStatus; import edu.kit.ipd.crowdcontrol.objectservice.database.model.tables.ExperimentsPlatformStatus; import java.sql.Timestamp; import javax.annotation.Generated; import org.jooq.Field; import org.jooq.Record1; import org.jooq.Record4; import org.jooq.Row4; import org.jooq.impl.UpdatableRecordImpl; /** * This class is generated by jOOQ. */ @Generated( value = { "http://www.jooq.org", "jOOQ version:3.7.3" }, comments = "This class is generated by jOOQ" ) @SuppressWarnings({ "all", "unchecked", "rawtypes" }) public class ExperimentsPlatformStatusRecord extends UpdatableRecordImpl<ExperimentsPlatformStatusRecord> implements Record4<Integer, ExperimentsPlatformStatusPlatformStatus, Timestamp, Integer> { private static final long serialVersionUID = 1781719084; /** * Setter for <code>crowdcontrol.Experiments_Platform_Status.id_experiments_Platform_Status</code>. */ public void setIdExperimentsPlatformStatus(Integer value) { setValue(0, value); } /** * Getter for <code>crowdcontrol.Experiments_Platform_Status.id_experiments_Platform_Status</code>. */ public Integer getIdExperimentsPlatformStatus() { return (Integer) getValue(0); } /** * Setter for <code>crowdcontrol.Experiments_Platform_Status.platform_status</code>. */ public void setPlatformStatus(ExperimentsPlatformStatusPlatformStatus value) { setValue(1, value); } /** * Getter for <code>crowdcontrol.Experiments_Platform_Status.platform_status</code>. */ public ExperimentsPlatformStatusPlatformStatus getPlatformStatus() { return (ExperimentsPlatformStatusPlatformStatus) getValue(1); } /** * Setter for <code>crowdcontrol.Experiments_Platform_Status.timestamp</code>. */ public void setTimestamp(Timestamp value) { setValue(2, value); } /** * Getter for <code>crowdcontrol.Experiments_Platform_Status.timestamp</code>. */ public Timestamp getTimestamp() { return (Timestamp) getValue(2); } /** * Setter for <code>crowdcontrol.Experiments_Platform_Status.platform</code>. */ public void setPlatform(Integer value) { setValue(3, value); } /** * Getter for <code>crowdcontrol.Experiments_Platform_Status.platform</code>. */ public Integer getPlatform() { return (Integer) getValue(3); } // ------------------------------------------------------------------------- // Primary key information // ------------------------------------------------------------------------- /** * {@inheritDoc} */ @Override public Record1<Integer> key() { return (Record1) super.key(); } // ------------------------------------------------------------------------- // Record4 type implementation // ------------------------------------------------------------------------- /** * {@inheritDoc} */ @Override public Row4<Integer, ExperimentsPlatformStatusPlatformStatus, Timestamp, Integer> fieldsRow() { return (Row4) super.fieldsRow(); } /** * {@inheritDoc} */ @Override public Row4<Integer, ExperimentsPlatformStatusPlatformStatus, Timestamp, Integer> valuesRow() { return (Row4) super.valuesRow(); } /** * {@inheritDoc} */ @Override public Field<Integer> field1() { return ExperimentsPlatformStatus.EXPERIMENTS_PLATFORM_STATUS.ID_EXPERIMENTS_PLATFORM_STATUS; } /** * {@inheritDoc} */ @Override public Field<ExperimentsPlatformStatusPlatformStatus> field2() { return ExperimentsPlatformStatus.EXPERIMENTS_PLATFORM_STATUS.PLATFORM_STATUS; } /** * {@inheritDoc} */ @Override public Field<Timestamp> field3() { return ExperimentsPlatformStatus.EXPERIMENTS_PLATFORM_STATUS.TIMESTAMP; } /** * {@inheritDoc} */ @Override public Field<Integer> field4() { return ExperimentsPlatformStatus.EXPERIMENTS_PLATFORM_STATUS.PLATFORM; } /** * {@inheritDoc} */ @Override public Integer value1() { return getIdExperimentsPlatformStatus(); } /** * {@inheritDoc} */ @Override public ExperimentsPlatformStatusPlatformStatus value2() { return getPlatformStatus(); } /** * {@inheritDoc} */ @Override public Timestamp value3() { return getTimestamp(); } /** * {@inheritDoc} */ @Override public Integer value4() { return getPlatform(); } /** * {@inheritDoc} */ @Override public ExperimentsPlatformStatusRecord value1(Integer value) { setIdExperimentsPlatformStatus(value); return this; } /** * {@inheritDoc} */ @Override public ExperimentsPlatformStatusRecord value2(ExperimentsPlatformStatusPlatformStatus value) { setPlatformStatus(value); return this; } /** * {@inheritDoc} */ @Override public ExperimentsPlatformStatusRecord value3(Timestamp value) { setTimestamp(value); return this; } /** * {@inheritDoc} */ @Override public ExperimentsPlatformStatusRecord value4(Integer value) { setPlatform(value); return this; } /** * {@inheritDoc} */ @Override public ExperimentsPlatformStatusRecord values(Integer value1, ExperimentsPlatformStatusPlatformStatus value2, Timestamp value3, Integer value4) { value1(value1); value2(value2); value3(value3); value4(value4); return this; } // ------------------------------------------------------------------------- // Constructors // ------------------------------------------------------------------------- /** * Create a detached ExperimentsPlatformStatusRecord */ public ExperimentsPlatformStatusRecord() { super(ExperimentsPlatformStatus.EXPERIMENTS_PLATFORM_STATUS); } /** * Create a detached, initialised ExperimentsPlatformStatusRecord */ public ExperimentsPlatformStatusRecord(Integer idExperimentsPlatformStatus, ExperimentsPlatformStatusPlatformStatus platformStatus, Timestamp timestamp, Integer platform) { super(ExperimentsPlatformStatus.EXPERIMENTS_PLATFORM_STATUS); setValue(0, idExperimentsPlatformStatus); setValue(1, platformStatus); setValue(2, timestamp); setValue(3, platform); } }
3e1e7843f49271fdaab4a4b31cbed1d1c59ce0ad
1,454
java
Java
src/br/ufba/dcc/mata55/Atividade3.java
absouza/Atividade3-POO
813b1acfa54651d360c736818ac70aa060802777
[ "MIT" ]
null
null
null
src/br/ufba/dcc/mata55/Atividade3.java
absouza/Atividade3-POO
813b1acfa54651d360c736818ac70aa060802777
[ "MIT" ]
null
null
null
src/br/ufba/dcc/mata55/Atividade3.java
absouza/Atividade3-POO
813b1acfa54651d360c736818ac70aa060802777
[ "MIT" ]
null
null
null
30.291667
77
0.508253
12,888
/* * To change this template, choose Tools | Templates * and open the template in the editor. */ package br.ufba.dcc.mata55; /** * * @author rum */ public class Atividade3{ public static void main(String[] args) { int opcaoescolhida; ListaDeNomes listadenomes = new ListaDeNomes(); do{ Menu.imprimeMenu(); opcaoescolhida = Menu.escolheOpcao(); switch(opcaoescolhida){ case Menu.OPCAO_CONSULTAR_NOME: listadenomes.consultarNome(); break; case Menu.OPCAO_EXCLUIR_NOME: listadenomes.excluirNome(); break; case Menu.OPCAO_EXIBIR_TODOS_OS_NOMES: listadenomes.exibirTodosOsNomes(); break; case Menu.OPCAO_EXIBIR_TODOS_OS_NOMES_ORDENADOS: listadenomes.exibirTodosOsNomesOrdenados(); break; case Menu.OPCAO_INSERIR_NOME: listadenomes.inserirNome(); break; case Menu.OPCAO_SAIR: System.out.println("Você escolheu a opção sair! Tchau!"); break; default: System.out.println("Opção Inválida!"); break; } }while(opcaoescolhida != Menu.OPCAO_SAIR); } }
3e1e7869bedca6243c54cfaf381eb85f6f638632
3,914
java
Java
jpf-nhandler/src/main/nhandler/conversion/jvm2jpf/JVM2JPFjava_text_DecimalFormatConverter.java
micklinISgood/JPF-Android
a970286a0d404a7a8f6d4752e443875ada2b00a7
[ "Apache-2.0" ]
3
2016-12-09T00:22:13.000Z
2018-07-13T05:36:35.000Z
jpf-nhandler/src/main/nhandler/conversion/jvm2jpf/JVM2JPFjava_text_DecimalFormatConverter.java
micklinISgood/JPF-Android
a970286a0d404a7a8f6d4752e443875ada2b00a7
[ "Apache-2.0" ]
1
2020-04-29T03:32:41.000Z
2021-04-08T15:24:40.000Z
jpf-nhandler/src/main/nhandler/conversion/jvm2jpf/JVM2JPFjava_text_DecimalFormatConverter.java
micklinISgood/JPF-Android
a970286a0d404a7a8f6d4752e443875ada2b00a7
[ "Apache-2.0" ]
4
2016-11-26T08:39:13.000Z
2021-09-25T03:22:08.000Z
38
115
0.716147
12,889
/* * Copyright (C) 2013 Nastaran Shafiei and Franck van Breugel * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation, either version 3 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You can find a copy of the GNU General Public License at * <http://www.gnu.org/licenses/>. */ package nhandler.conversion.jvm2jpf; import gov.nasa.jpf.vm.ClassInfo; import gov.nasa.jpf.vm.DynamicElementInfo; import gov.nasa.jpf.vm.JPF_java_text_Format; import gov.nasa.jpf.vm.MJIEnv; import gov.nasa.jpf.vm.StaticElementInfo; import java.lang.reflect.Field; import java.text.DecimalFormat; import java.text.Format; import java.util.HashMap; import nhandler.conversion.ConversionException; public class JVM2JPFjava_text_DecimalFormatConverter extends JVM2JPFConverter { /** * No static fields to set */ @Override protected void setStaticFields (Class<?> JVMCls, StaticElementInfo sei, MJIEnv env) throws ConversionException { } /** * If this was called from getUpdatedJPFObj() for an existing object, then we * don't need to do anything, as the JVMObj that we supplied during JPF2JVM is * the delegatee and any changes to it will be reflected to this object * * If this was called for translating a newly created object (one that was * created in JVM code), then we need to register it with the HashMap in the * Format native peer */ @Override protected void setInstanceFields (Object JVMObj, DynamicElementInfo dei, MJIEnv env) throws ConversionException { assert JVMObj instanceof DecimalFormat; int JPFref = dei.getObjectRef(); int formatterId = env.getIntField(JPFref, "id"); Field formattersField = null; try { formattersField = JPF_java_text_Format.class.getDeclaredField("formatters"); } catch (NoSuchFieldException e) { e.printStackTrace(); } catch (SecurityException e) { e.printStackTrace(); } formattersField.setAccessible(true); HashMap<Integer, Format> formatters = null; try { formatters = (HashMap<Integer, Format>) formattersField.get(null); } catch (IllegalArgumentException e) { e.printStackTrace(); } catch (IllegalAccessException e) { e.printStackTrace(); } assert formatters != null : "JPF_java_text_Format.init() hasn't been called"; // TODO: Do we call init() ourselves if formatters == null? if (JVM2JPFUtilities.hasMapExactObject(formatters, JVMObj)) { // This means the JVM object is a delegatee for a pre-existing // JPF object. So we don't need to do anything // This also means that the given JPF object should have this JVM // object as the value in the hashmap: Format value = formatters.get(formatterId); assert value != null : "value for formatterId null"; assert value == JVMObj : "value for formatterId not JVMObj"; System.out.println("setInstanceFields: existing delegatee"); } else { // This means that this JVM object was created inside the delegated // method. We need to put it in the hashmap. This also means that // the id field of the JPF object wasn't set properly and nInstances // wasn't incremented ClassInfo ci = dei.getClassInfo().getSuperClass("java.text.Format"); StaticElementInfo sei = ci.getModifiableStaticElementInfo(); int nInstances = sei.getIntField("nInstances"); dei.setIntField("id", nInstances); sei.setIntField("nInstances", nInstances + 1); formatters.put(nInstances, (Format) JVMObj); } } }
3e1e7876bd6bb21e829d2289a9c977a913771d0d
5,274
java
Java
platform/lang-impl/src/com/intellij/internal/statistic/actions/CollectFUStatisticsAction.java
ekudel/intellij-community
7b79a61fbb7a949b7a55a2a60bb9ad30e82c4521
[ "Apache-2.0" ]
1
2018-10-03T12:35:12.000Z
2018-10-03T12:35:12.000Z
platform/lang-impl/src/com/intellij/internal/statistic/actions/CollectFUStatisticsAction.java
ekudel/intellij-community
7b79a61fbb7a949b7a55a2a60bb9ad30e82c4521
[ "Apache-2.0" ]
null
null
null
platform/lang-impl/src/com/intellij/internal/statistic/actions/CollectFUStatisticsAction.java
ekudel/intellij-community
7b79a61fbb7a949b7a55a2a60bb9ad30e82c4521
[ "Apache-2.0" ]
1
2018-10-03T12:35:06.000Z
2018-10-03T12:35:06.000Z
39.066667
140
0.758058
12,890
// Copyright 2000-2018 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license that can be found in the LICENSE file. package com.intellij.internal.statistic.actions; import com.google.gson.Gson; import com.google.gson.GsonBuilder; import com.intellij.ide.actions.GotoActionBase; import com.intellij.ide.util.gotoByName.ChooseByNameItem; import com.intellij.ide.util.gotoByName.ChooseByNamePopup; import com.intellij.ide.util.gotoByName.ChooseByNamePopupComponent; import com.intellij.ide.util.gotoByName.ListChooseByNameModel; import com.intellij.internal.statistic.service.fus.beans.FSContent; import com.intellij.internal.statistic.service.fus.beans.FSGroup; import com.intellij.internal.statistic.service.fus.beans.FSSession; import com.intellij.internal.statistic.service.fus.collectors.ApplicationUsagesCollector; import com.intellij.internal.statistic.service.fus.collectors.FUStatisticsAggregator; import com.intellij.internal.statistic.service.fus.collectors.FeatureUsagesCollector; import com.intellij.internal.statistic.service.fus.collectors.ProjectUsagesCollector; import com.intellij.openapi.actionSystem.AnActionEvent; import com.intellij.openapi.application.ModalityState; import com.intellij.openapi.extensions.Extensions; import com.intellij.openapi.project.Project; import com.intellij.openapi.ui.DialogBuilder; import com.intellij.openapi.ui.Messages; import com.intellij.openapi.util.text.StringUtil; import com.intellij.ui.ScrollPaneFactory; import com.intellij.util.containers.ContainerUtil; import org.jetbrains.annotations.NotNull; import org.jetbrains.annotations.Nullable; import javax.swing.*; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import static com.intellij.util.containers.ContainerUtil.notNullize; public class CollectFUStatisticsAction extends GotoActionBase { @Override protected void gotoActionPerformed(@NotNull AnActionEvent e) { final Project project = e.getProject(); if (project == null) { return; } Object[] projectCollectors = Extensions.getExtensions(ProjectUsagesCollector.getExtensionPointName()); Object[] applicationCollectors = Extensions.getExtensions(ApplicationUsagesCollector.getExtensionPointName()); List<Item> items = new ArrayList<>(); for (Object collector : ContainerUtil.concat(projectCollectors, applicationCollectors)) { if (collector instanceof FeatureUsagesCollector) { String groupId = ((FeatureUsagesCollector)collector).getGroupId(); String className = StringUtil.nullize(collector.getClass().getSimpleName(), true); items.add(new Item(groupId, className)); } } ContainerUtil.sort(items, Comparator.comparing(it -> it.myGroupId)); ListChooseByNameModel<Item> model = new MyChooseByNameModel(project, items); ChooseByNamePopup popup = ChooseByNamePopup.createPopup(project, model, GotoActionBase.getPsiContext(e)); popup.setShowListForEmptyPattern(true); popup.invoke(new ChooseByNamePopupComponent.Callback() { @Override public void onClose() { if (CollectFUStatisticsAction.this.getClass().equals(myInAction)) myInAction = null; } @Override public void elementChosen(Object element) { showCollectorUsages(project, ((Item)element).myGroupId); } }, ModalityState.current(), false); } private static void showCollectorUsages(@NotNull Project project, @NotNull String groupId) { FUStatisticsAggregator aggregator = FUStatisticsAggregator.create(); FSContent data = aggregator.getUsageCollectorsData(Collections.singleton(groupId)); if (data == null) { Messages.showErrorDialog(project, "Can't collect usages", "Error"); return; } StringBuilder result = new StringBuilder(); Gson gson = new GsonBuilder().setPrettyPrinting().create(); for (FSSession session : notNullize(data.getSessions())) { for (FSGroup group : ContainerUtil.filter(notNullize(session.getGroups()), it -> groupId.equals(it.id))) { result.append(gson.toJson(group, FSGroup.class)); result.append("\n\n"); } } JTextArea textArea = new JTextArea(result.toString()); DialogBuilder builder = new DialogBuilder(); builder.setCenterPanel(ScrollPaneFactory.createScrollPane(textArea)); builder.setPreferredFocusComponent(textArea); builder.setTitle(groupId); builder.addOkAction(); builder.show(); } private static class Item implements ChooseByNameItem { @NotNull private final String myGroupId; @Nullable private final String myClassName; private Item(@NotNull String groupId, @Nullable String className) { myGroupId = groupId; myClassName = className; } @Override public String getName() { return myGroupId; } @Override public String getDescription() { return myClassName; } } private static class MyChooseByNameModel extends ListChooseByNameModel<Item> { private MyChooseByNameModel(Project project, List<Item> items) { super(project, "Enter usage collector group id", "No collectors found", items); } @Override public boolean useMiddleMatching() { return true; } } }
3e1e78ea7a2c452f442be8e335b54f9daf55394d
1,250
java
Java
1.1/src/cz/mg/vulkan/PFNvkCreateSharedSwapchainsKHR.java
Gekoncze/MgVulkan
2d2ebc0d3df6640d1f18cff32e9782542b0a441e
[ "BSD-3-Clause" ]
null
null
null
1.1/src/cz/mg/vulkan/PFNvkCreateSharedSwapchainsKHR.java
Gekoncze/MgVulkan
2d2ebc0d3df6640d1f18cff32e9782542b0a441e
[ "BSD-3-Clause" ]
null
null
null
1.1/src/cz/mg/vulkan/PFNvkCreateSharedSwapchainsKHR.java
Gekoncze/MgVulkan
2d2ebc0d3df6640d1f18cff32e9782542b0a441e
[ "BSD-3-Clause" ]
null
null
null
39.0625
330
0.7536
12,891
package cz.mg.vulkan; public class PFNvkCreateSharedSwapchainsKHR extends VkFunctionPointer { public PFNvkCreateSharedSwapchainsKHR() { } protected PFNvkCreateSharedSwapchainsKHR(VkMemory vkmemory) { super(vkmemory); } protected PFNvkCreateSharedSwapchainsKHR(VkMemory vkmemory, long vkaddress) { super(vkmemory, vkaddress); } public PFNvkCreateSharedSwapchainsKHR(long value) { setValue(value); } public PFNvkCreateSharedSwapchainsKHR(VkInstance instance) { super(instance, new VkString("vkCreateSharedSwapchainsKHR")); } public int call(VkDevice device, int swapchainCount, VkSwapchainCreateInfoKHR pCreateInfos, VkAllocationCallbacks pAllocator, VkSwapchainKHR pSwapchains){ return callNative(getValue(), device != null ? device.getVkAddress() : VkPointer.getNullAddressNative(), swapchainCount, pCreateInfos != null ? pCreateInfos.getVkAddress() : VkPointer.NULL, pAllocator != null ? pAllocator.getVkAddress() : VkPointer.NULL, pSwapchains != null ? pSwapchains.getVkAddress() : VkPointer.NULL); } protected static native int callNative(long vkaddress, long device, int swapchainCount, long pCreateInfos, long pAllocator, long pSwapchains); }
3e1e79a1f1e2186701043a8aa6bd6474dc0cacbc
17,044
java
Java
RentLioServer/src/com/chamodshehanka/rentLioServer/business/custom/impl/ReservationBOImpl.java
hiranthaPeiris/RentLio
16bf973b87723d44de2c41a3613a04241a394d15
[ "Apache-2.0" ]
1
2019-04-14T20:58:38.000Z
2019-04-14T20:58:38.000Z
RentLioServer/src/com/chamodshehanka/rentLioServer/business/custom/impl/ReservationBOImpl.java
hiranthaPeiris/RentLio
16bf973b87723d44de2c41a3613a04241a394d15
[ "Apache-2.0" ]
5
2018-10-07T16:11:20.000Z
2020-03-05T03:41:32.000Z
RentLioServer/src/com/chamodshehanka/rentLioServer/business/custom/impl/ReservationBOImpl.java
hiranthaPeiris/RentLio
16bf973b87723d44de2c41a3613a04241a394d15
[ "Apache-2.0" ]
3
2018-10-09T09:13:15.000Z
2019-10-08T22:43:39.000Z
44.501305
128
0.531037
12,892
package com.chamodshehanka.rentLioServer.business.custom.impl; import com.chamodshehanka.rentLioCommon.dto.DriverDTO; import com.chamodshehanka.rentLioCommon.dto.ReservationDTO; import com.chamodshehanka.rentLioCommon.dto.VehicleDTO; import com.chamodshehanka.rentLioServer.business.custom.ReservationBO; import com.chamodshehanka.rentLioServer.entity.*; import com.chamodshehanka.rentLioServer.repository.RepositoryFactory; import com.chamodshehanka.rentLioServer.repository.custom.*; import com.chamodshehanka.rentLioServer.resources.HibernateUtil; import org.hibernate.Session; import org.hibernate.Transaction; import java.util.ArrayList; import java.util.List; /** * @author chamodshehanka on 4/1/2018 * @project RentLio **/ public class ReservationBOImpl implements ReservationBO { private ReservationRepository reservationRepository; private CustomerRepository customerRepository; private DriverRepository driverRepository; private VehicleRepository vehicleRepository; private ReceptionRepository receptionRepository; public ReservationBOImpl() { reservationRepository = (ReservationRepository) RepositoryFactory.getInstance() .getRepository(RepositoryFactory.RepositoryFactoryTypes.RESERVATION); customerRepository = (CustomerRepository) RepositoryFactory.getInstance() .getRepository(RepositoryFactory.RepositoryFactoryTypes.CUSTOMER); driverRepository = (DriverRepository) RepositoryFactory.getInstance() .getRepository(RepositoryFactory.RepositoryFactoryTypes.DRIVER); vehicleRepository = (VehicleRepository) RepositoryFactory.getInstance() .getRepository(RepositoryFactory.RepositoryFactoryTypes.VEHICLE); receptionRepository = (ReceptionRepository) RepositoryFactory.getInstance() .getRepository(RepositoryFactory.RepositoryFactoryTypes.RECEPTION); PaymentRepository paymentRepository = (PaymentRepository) RepositoryFactory.getInstance() .getRepository(RepositoryFactory.RepositoryFactoryTypes.PAYMENT); } @Override public boolean addReservation(ReservationDTO reservationDTO, VehicleDTO vehicleDTO, DriverDTO driverDTO) throws Exception { Customer customer; Driver driver; Vehicle vehicle; Payment payment = new Payment("PPPP","RRRR","2018-06-28","CCCC","XXXX","RRRR","DDDD",0.0,0.0,0.0,"",0.0,"",0.0,0.0,0.0); Reception reception; try (Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); customerRepository.setSession(session); customer = customerRepository.findById(reservationDTO.getCustomerId()); } try (Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); driverRepository.setSession(session); driver = driverRepository.findById(reservationDTO.getDriverId()); } try(Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); vehicleRepository.setSession(session); vehicle = vehicleRepository.findById(reservationDTO.getcNumber()); } try (Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); receptionRepository.setSession(session); reception = receptionRepository.findById(reservationDTO.getReceptionId()); } Session sessionOuter = null; try (Session session = HibernateUtil.getSessionFactory().openSession()){ Transaction transaction = session.beginTransaction(); reservationRepository.setSession(session); sessionOuter = session; Reservation reservation = new Reservation( reservationDTO.getReservationId(), reservationDTO.getReceptionId(), reservationDTO.getCustomerId(), reservationDTO.getCustomerName(), reservationDTO.getCustomerTel(), reservationDTO.getCustomerNIC(), reservationDTO.getDriverId(), reservationDTO.getDriverName(), reservationDTO.getDriverTel(), reservationDTO.getDriverNIC(), reservationDTO.getcNumber(), reservationDTO.getcType(), reservationDTO.getcBrand(), reservationDTO.getcKmrs(), reservationDTO.getcImage(), reservationDTO.getGetDate(), reservationDTO.getNowMeter(), reservationDTO.getStatus(), reservationDTO.getComment(), reservationDTO.getDeposit(), reservationDTO.getPriceForDay(), customer, driver, vehicle, payment, reception ); if (reservationRepository.save(reservation)){ vehicle.setStatus("Reserved"); vehicleRepository.setSession(session); vehicleRepository.update(vehicle); if (driverDTO != null){ driverRepository.setSession(session); driver.setState(driverDTO.getState()); if (driverRepository.update(driver)){ transaction.commit(); return true; }else { transaction.rollback(); return false; } }else { transaction.rollback(); return false; } }else { transaction.rollback(); return false; } }finally { if (sessionOuter != null) { sessionOuter.close(); }else { System.out.println("Outer Session is null !"); } } } @Override public boolean updateReservation(ReservationDTO reservationDTO) throws Exception { try (Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); reservationRepository.setSession(session); customerRepository.setSession(session); driverRepository.setSession(session); vehicleRepository.setSession(session); receptionRepository.setSession(session); Customer customer = customerRepository.findById(reservationDTO.getCustomerId()); Driver driver = null; if (reservationDTO.getDriverId() != null){ driver = driverRepository.findById(reservationDTO.getDriverId()); } Vehicle vehicle = vehicleRepository.findById(reservationDTO.getcNumber()); Payment payment = null; Reception reception = receptionRepository.findById(reservationDTO.getReceptionId()); Reservation reservation = new Reservation( reservationDTO.getReservationId(), reservationDTO.getReceptionId(), reservationDTO.getCustomerId(), reservationDTO.getCustomerName(), reservationDTO.getCustomerTel(), reservationDTO.getCustomerNIC(), reservationDTO.getDriverId(), reservationDTO.getDriverName(), reservationDTO.getDriverTel(), reservationDTO.getDriverNIC(), reservationDTO.getcNumber(), reservationDTO.getcType(), reservationDTO.getcBrand(), reservationDTO.getcKmrs(), reservationDTO.getcImage(), reservationDTO.getGetDate(), reservationDTO.getNowMeter(), reservationDTO.getStatus(), reservationDTO.getComment(), reservationDTO.getDeposit(), reservationDTO.getPriceForDay(), customer, driver, vehicle, payment, reception ); reservationRepository.update(reservation); session.getTransaction().commit(); return true; } } @Override public boolean deleteReservation(String reservationId) throws Exception { try (Session session = HibernateUtil.getSessionFactory().openSession()){ reservationRepository.setSession(session); session.beginTransaction(); Reservation reservation = reservationRepository.findById(reservationId); if (reservation != null){ reservationRepository.delete(reservation); session.getTransaction().commit(); System.out.println("\b"); return true; }else { return false; } } } @Override public ReservationDTO getReservationById(String reservationId) throws Exception { try (Session session = HibernateUtil.getSessionFactory().openSession()){ reservationRepository.setSession(session); session.beginTransaction(); Reservation reservation = reservationRepository.findById(reservationId); session.getTransaction().commit(); if (reservation != null){ return new ReservationDTO( reservation.getReservationId(), reservation.getReceptionId(), reservation.getCustomerId(), reservation.getCustomerName(), reservation.getCustomerTel(), reservation.getCustomerNIC(), reservation.getDriverId(), reservation.getDriverName(), reservation.getDriverTel(), reservation.getDriverNIC(), reservation.getcNumber(), reservation.getcType(), reservation.getcBrand(), reservation.getcKmrs(), reservation.getcImage(), reservation.getGetDate(), reservation.getNowMeter(), reservation.getStatus(), reservation.getComment(), reservation.getDeposit(), reservation.getPriceForDay() ); }else { return null; } } } @Override public List<ReservationDTO> getAllReservations() throws Exception { try (Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); reservationRepository.setSession(session); List<Reservation> reservationList = reservationRepository.findAll(); session.getTransaction().commit(); if (reservationList != null){ List<ReservationDTO> reservationDTOList = new ArrayList<>(); for (Reservation reservation: reservationList ) { reservationDTOList.add( new ReservationDTO( reservation.getReservationId(), reservation.getReceptionId(), reservation.getCustomerId(), reservation.getCustomerName(), reservation.getCustomerTel(), reservation.getCustomerNIC(), reservation.getDriverId(), reservation.getDriverName(), reservation.getDriverTel(), reservation.getDriverNIC(), reservation.getcNumber(), reservation.getcType(), reservation.getcBrand(), reservation.getcKmrs(), reservation.getcImage(), reservation.getGetDate(), reservation.getNowMeter(), reservation.getStatus(), reservation.getComment(), reservation.getDeposit(), reservation.getPriceForDay() ) ); } return reservationDTOList; }else { return null; } } } @Override public List<ReservationDTO> findReservationCustomer(String customerId) throws Exception { try (Session session = HibernateUtil.getSessionFactory().openSession()){ session.beginTransaction(); reservationRepository.setSession(session); List<Reservation> reservationList = reservationRepository.findCustomerRepository(customerId); session.getTransaction().commit(); return reservationToDTO(reservationList); /*if (reservationList != null){ List<ReservationDTO> reservationDTOList = new ArrayList<>(); for (Reservation reservation: reservationList ) { reservationDTOList.add( new ReservationDTO( reservation.getReservationId(), reservation.getReceptionId(), reservation.getCustomerId(), reservation.getCustomerName(), reservation.getCustomerTel(), reservation.getCustomerNIC(), reservation.getDriverId(), reservation.getDriverName(), reservation.getDriverTel(), reservation.getDriverNIC(), reservation.getcNumber(), reservation.getcType(), reservation.getcBrand(), reservation.getcKmrs(), reservation.getcImage(), reservation.getGetDate(), reservation.getNowMeter(), reservation.getStatus(), reservation.getComment(), reservation.getDeposit(), reservation.getPriceForDay() ) ); } return reservationDTOList; }else { return null; }*/ } } private List<ReservationDTO> reservationToDTO(List<Reservation> reservationList){ assert reservationList != null; List<ReservationDTO> reservationDTOList = new ArrayList<>(); for (Reservation reservation: reservationList ) { reservationDTOList.add( new ReservationDTO( reservation.getReservationId(), reservation.getReceptionId(), reservation.getCustomerId(), reservation.getCustomerName(), reservation.getCustomerTel(), reservation.getCustomerNIC(), reservation.getDriverId(), reservation.getDriverName(), reservation.getDriverTel(), reservation.getDriverNIC(), reservation.getcNumber(), reservation.getcType(), reservation.getcBrand(), reservation.getcKmrs(), reservation.getcImage(), reservation.getGetDate(), reservation.getNowMeter(), reservation.getStatus(), reservation.getComment(), reservation.getDeposit(), reservation.getPriceForDay() ) ); } return reservationDTOList; } }
3e1e7acf3762d34f7e867633ef1afab217b6ee0a
344
java
Java
ovh-java-sdk-xdsl/src/main/java/net/minidev/ovh/api/xdsl/xdslmodemconfig/OvhSecurityTypeEnum.java
marstona/ovh-java-sdk
b574fbbac59832fda7a4fedaf3cb1f074135f714
[ "BSD-3-Clause" ]
12
2017-04-04T07:20:48.000Z
2021-04-20T07:54:21.000Z
ovh-java-sdk-xdsl/src/main/java/net/minidev/ovh/api/xdsl/xdslmodemconfig/OvhSecurityTypeEnum.java
marstona/ovh-java-sdk
b574fbbac59832fda7a4fedaf3cb1f074135f714
[ "BSD-3-Clause" ]
7
2017-04-05T04:54:16.000Z
2019-09-24T11:17:05.000Z
ovh-java-sdk-xdsl/src/main/java/net/minidev/ovh/api/xdsl/xdslmodemconfig/OvhSecurityTypeEnum.java
marstona/ovh-java-sdk
b574fbbac59832fda7a4fedaf3cb1f074135f714
[ "BSD-3-Clause" ]
3
2019-10-10T13:51:22.000Z
2020-11-13T14:30:45.000Z
14.956522
49
0.680233
12,893
package net.minidev.ovh.api.xdsl.xdslmodemconfig; /** * Type of WLAN security protection */ public enum OvhSecurityTypeEnum { None("None"), WEP("WEP"), WPA("WPA"), WPA2("WPA2"), WPAandWPA2("WPAandWPA2"); final String value; OvhSecurityTypeEnum(String s) { this.value = s; } public String toString() { return this.value; } }
3e1e7af840f062294a117b93f0491400e50e1c5c
710
java
Java
app/src/main/java/com/example/volunter/volunteerCommunity/InteractionFragment.java
ange233/Volunteer
c134acb1d8b9259a76031d4a676c9947bbc729b7
[ "Apache-2.0" ]
null
null
null
app/src/main/java/com/example/volunter/volunteerCommunity/InteractionFragment.java
ange233/Volunteer
c134acb1d8b9259a76031d4a676c9947bbc729b7
[ "Apache-2.0" ]
null
null
null
app/src/main/java/com/example/volunter/volunteerCommunity/InteractionFragment.java
ange233/Volunteer
c134acb1d8b9259a76031d4a676c9947bbc729b7
[ "Apache-2.0" ]
null
null
null
24.482759
123
0.766197
12,894
package com.example.volunter.volunteerCommunity; import android.os.Bundle; import android.support.annotation.Nullable; import android.support.v4.app.Fragment; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import com.example.volunter.R; import java.util.List; /** * Created by dell on 2017/5/30. */ public class InteractionFragment extends Fragment { private View parentView; @Nullable @Override public View onCreateView(LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) { parentView = inflater.inflate(R.layout.interaction_fragment, container, false); return parentView; } }
3e1e7b9ced3d628549fde531c4d8dcafbc6973cf
3,803
java
Java
src/main/java/slexom/earthtojava/mobs/mixins/SpawnFurnaceGolem.java
zedseven/earth2java
d3f8d734564c702fa7a1de4a6c264472e0ddbf52
[ "CC0-1.0" ]
13
2020-08-02T15:03:42.000Z
2022-01-30T00:11:41.000Z
src/main/java/slexom/earthtojava/mobs/mixins/SpawnFurnaceGolem.java
zedseven/earth2java
d3f8d734564c702fa7a1de4a6c264472e0ddbf52
[ "CC0-1.0" ]
65
2020-06-09T05:11:14.000Z
2022-03-26T04:26:09.000Z
src/main/java/slexom/earthtojava/mobs/mixins/SpawnFurnaceGolem.java
zedseven/earth2java
d3f8d734564c702fa7a1de4a6c264472e0ddbf52
[ "CC0-1.0" ]
15
2020-07-17T08:14:35.000Z
2022-03-19T21:09:10.000Z
55.926471
468
0.722324
12,895
package slexom.earthtojava.mobs.mixins; import net.minecraft.advancement.criterion.Criteria; import net.minecraft.block.*; import net.minecraft.block.pattern.BlockPattern; import net.minecraft.block.pattern.BlockPatternBuilder; import net.minecraft.block.pattern.CachedBlockPosition; import net.minecraft.predicate.block.BlockStatePredicate; import net.minecraft.server.network.ServerPlayerEntity; import net.minecraft.util.function.MaterialPredicate; import net.minecraft.util.math.BlockPos; import net.minecraft.world.World; import org.spongepowered.asm.mixin.Final; import org.spongepowered.asm.mixin.Mixin; import org.spongepowered.asm.mixin.Shadow; import org.spongepowered.asm.mixin.injection.At; import org.spongepowered.asm.mixin.injection.Inject; import org.spongepowered.asm.mixin.injection.callback.CallbackInfo; import slexom.earthtojava.mobs.entity.passive.FurnaceGolemEntity; import slexom.earthtojava.mobs.init.EntityTypesInit; import java.util.function.Predicate; @Mixin(CarvedPumpkinBlock.class) public class SpawnFurnaceGolem { @Final @Shadow private static Predicate<BlockState> IS_GOLEM_HEAD_PREDICATE ; private BlockPattern furnaceGolemPattern; private BlockPattern getFurnaceGolemPattern() { if (this.furnaceGolemPattern == null) { this.furnaceGolemPattern = BlockPatternBuilder.start().aisle("~^~", "#@#", "~#~").where('@', CachedBlockPosition.matchesBlockState(BlockStatePredicate.forBlock(Blocks.BLAST_FURNACE))).where('^', CachedBlockPosition.matchesBlockState(IS_GOLEM_HEAD_PREDICATE)).where('#', CachedBlockPosition.matchesBlockState(BlockStatePredicate.forBlock(Blocks.IRON_BLOCK))).where('~', CachedBlockPosition.matchesBlockState(MaterialPredicate.create(Material.AIR))).build(); } return this.furnaceGolemPattern; } @Inject(at = @At("HEAD"), method = "trySpawnEntity") public void spawnFurnaceGolem(World world, BlockPos pos, CallbackInfo ci) { BlockPattern.Result furnaceGolemResult = this.getFurnaceGolemPattern().searchAround(world, pos); if (furnaceGolemResult != null) { for (int w = 0; w < this.getFurnaceGolemPattern().getWidth(); ++w) { for (int h = 0; h < this.getFurnaceGolemPattern().getHeight(); ++h) { CachedBlockPosition cachedBlockPosition3 = furnaceGolemResult.translate(w, h, 0); world.setBlockState(cachedBlockPosition3.getBlockPos(), Blocks.AIR.getDefaultState(), 2); world.syncWorldEvent(2001, cachedBlockPosition3.getBlockPos(), Block.getRawIdFromState(cachedBlockPosition3.getBlockState())); } } BlockPos blockPos2 = furnaceGolemResult.translate(1, 2, 0).getBlockPos(); FurnaceGolemEntity furnaceGolemEntity = EntityTypesInit.FURNACE_GOLEM_REGISTRY_OBJECT.create(world); furnaceGolemEntity.setPlayerCreated(true); furnaceGolemEntity.refreshPositionAndAngles((double) blockPos2.getX() + 0.5D, (double) blockPos2.getY() + 0.05D, (double) blockPos2.getZ() + 0.5D, 0.0F, 0.0F); world.spawnEntity(furnaceGolemEntity); for (ServerPlayerEntity serverPE : world.getNonSpectatingEntities(ServerPlayerEntity.class, furnaceGolemEntity.getBoundingBox().expand(5.0D))) { Criteria.SUMMONED_ENTITY.trigger(serverPE, furnaceGolemEntity); } for (int w2 = 0; w2 < this.getFurnaceGolemPattern().getWidth(); ++w2) { for (int h2 = 0; h2 < this.getFurnaceGolemPattern().getHeight(); ++h2) { CachedBlockPosition cachedBlockPosition4 = furnaceGolemResult.translate(w2, h2, 0); world.updateNeighbors(cachedBlockPosition4.getBlockPos(), Blocks.AIR); } } } } }
3e1e7bfae3b9305e5b6ccfcc2829069757bdaf4e
1,771
java
Java
SegmentTree.java
cohadar/java-snippets
d55baabed6fca9faa2b60cf0b58fa64b651b450d
[ "MIT" ]
null
null
null
SegmentTree.java
cohadar/java-snippets
d55baabed6fca9faa2b60cf0b58fa64b651b450d
[ "MIT" ]
null
null
null
SegmentTree.java
cohadar/java-snippets
d55baabed6fca9faa2b60cf0b58fa64b651b450d
[ "MIT" ]
null
null
null
18.257732
64
0.543196
12,896
import java.util.*; import java.io.*; /** * O(log n) operations on array ranges */ public class SegmentTree { public static interface OP { public int zero(); public int binary(int va, int vb); } final OP op; final int n; final int in; final int[] T; public SegmentTree(OP op, int n) { this.op = op; this.n = n; this.in = indexLength(n); this.T = new int[in + n]; fill(null); } public SegmentTree(OP op, int[] A) { this.op = op; this.n = A.length; this.in = indexLength(n); this.T = new int[in + n]; fill(A); } private static int left(int p) { return 2 * p; } private static int right(int p) { return 2 * p + 1; } private static int parent(int p) { return p / 2; } private int indexLength(int n) { int height = (int) Math.ceil(Math.log(n) / Math.log(2)); return 1 << height; } private void fill(int[] A) { Arrays.fill(T, op.zero()); if (A != null) { for (int i = 0; i < A.length; i++) { T[in + i] = A[i]; } } for (int p = in - 1; p > 0; p--) { T[p] = op.binary(t(left(p)), t(right(p))); } } private int t(int p) { if (p < in + n) { return T[p]; } return op.zero(); } // warning: assuming OP will now overflow integer public int queryRange(int l, int r) { assert l <= r; assert 0 <= l; assert r < in; int resl = op.zero(); int resr = op.zero(); for (l += in, r += in; l <= r; l = parent(l), r = parent(r)) { if (l % 2 == 1) resl = op.binary(resl, T[l++]); if (r % 2 == 0) resr = op.binary(T[r--], resr); } return op.binary(resl, resr); } public void updateValue(int i, int val) { assert 0 <= i; assert i < n; int p = in + i; while (p > 0) { T[p] = val; p = parent(p); val = op.binary(T[left(p)], T[right(p)]); } } }
3e1e7cdc4e33b0ceae4b571bb5c3c4b9d2281996
324
java
Java
engine/src/main/java/com/hession/cards/engine/ControllerActionException.java
bhesh/CardGameServer
1802d102cab464e2e8dc3167c69c746371d1464e
[ "Apache-2.0" ]
null
null
null
engine/src/main/java/com/hession/cards/engine/ControllerActionException.java
bhesh/CardGameServer
1802d102cab464e2e8dc3167c69c746371d1464e
[ "Apache-2.0" ]
null
null
null
engine/src/main/java/com/hession/cards/engine/ControllerActionException.java
bhesh/CardGameServer
1802d102cab464e2e8dc3167c69c746371d1464e
[ "Apache-2.0" ]
null
null
null
18.055556
59
0.692308
12,897
package com.hession.cards.engine; /** * @Author Brian Hession * Email: ychag@example.com */ public class ControllerActionException extends Exception { private static final long serialVersionUID = 1; /** * Constructor */ public ControllerActionException(String message) { super(message); } }
3e1e7d078dec176d9ccc4d29215d457da3176843
1,474
java
Java
src/main/java/com/microsoft/graph/requests/extensions/IResourceOperationRequestBuilder.java
ashwanikumar04/msgraph-sdk-java
9ed8de320a7b1af7792ba24e0fa0cd010c4e1100
[ "MIT" ]
1
2021-05-17T07:56:01.000Z
2021-05-17T07:56:01.000Z
src/main/java/com/microsoft/graph/requests/extensions/IResourceOperationRequestBuilder.java
ashwanikumar04/msgraph-sdk-java
9ed8de320a7b1af7792ba24e0fa0cd010c4e1100
[ "MIT" ]
21
2021-02-01T08:37:29.000Z
2022-03-02T11:07:27.000Z
src/main/java/com/microsoft/graph/requests/extensions/IResourceOperationRequestBuilder.java
ashwanikumar04/msgraph-sdk-java
9ed8de320a7b1af7792ba24e0fa0cd010c4e1100
[ "MIT" ]
null
null
null
39.837838
152
0.682497
12,898
// ------------------------------------------------------------------------------ // Copyright (c) Microsoft Corporation. All Rights Reserved. Licensed under the MIT License. See License in the project root for license information. // ------------------------------------------------------------------------------ package com.microsoft.graph.requests.extensions; import com.microsoft.graph.http.IRequestBuilder; import com.microsoft.graph.core.ClientException; import com.microsoft.graph.concurrency.ICallback; import com.microsoft.graph.models.extensions.ResourceOperation; import java.util.Arrays; import java.util.EnumSet; // **NOTE** This file was generated by a tool and any changes will be overwritten. /** * The interface for the Resource Operation Request Builder. */ public interface IResourceOperationRequestBuilder extends IRequestBuilder { /** * Creates the request * * @param requestOptions the options for this request * @return the IResourceOperationRequest instance */ IResourceOperationRequest buildRequest(final com.microsoft.graph.options.Option... requestOptions); /** * Creates the request with specific options instead of the existing options * * @param requestOptions the options for this request * @return the IResourceOperationRequest instance */ IResourceOperationRequest buildRequest(final java.util.List<? extends com.microsoft.graph.options.Option> requestOptions); }
3e1e7daf6df83fb5591cebca5e5d7c45dcb510a6
79,280
java
Java
apksigner/src/main/java/com/android/apksig/ApkVerifier.java
fengjixuchui/Xpatch
4ada32b093bf75a55b51e5eb7dc59e76a7040fdc
[ "Apache-2.0" ]
617
2017-03-08T00:57:51.000Z
2022-03-30T10:08:42.000Z
apksigner/src/main/java/com/android/apksig/ApkVerifier.java
fengjixuchui/Xpatch
4ada32b093bf75a55b51e5eb7dc59e76a7040fdc
[ "Apache-2.0" ]
9
2017-07-25T13:34:51.000Z
2021-09-14T03:14:40.000Z
apksigner/src/main/java/com/android/apksig/ApkVerifier.java
fengjixuchui/Xpatch
4ada32b093bf75a55b51e5eb7dc59e76a7040fdc
[ "Apache-2.0" ]
134
2017-03-18T09:11:06.000Z
2022-03-25T00:51:14.000Z
41.507853
100
0.574975
12,899
/* * Copyright (C) 2016 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.android.apksig; import com.android.apksig.apk.ApkFormatException; import com.android.apksig.apk.ApkUtils; import com.android.apksig.internal.apk.AndroidBinXmlParser; import com.android.apksig.internal.apk.ApkSigningBlockUtils; import com.android.apksig.internal.apk.v1.V1SchemeVerifier; import com.android.apksig.internal.apk.ContentDigestAlgorithm; import com.android.apksig.internal.apk.SignatureAlgorithm; import com.android.apksig.internal.apk.v2.V2SchemeVerifier; import com.android.apksig.internal.apk.v3.V3SchemeVerifier; import com.android.apksig.internal.util.AndroidSdkVersion; import com.android.apksig.internal.zip.CentralDirectoryRecord; import com.android.apksig.util.DataSource; import com.android.apksig.util.DataSources; import com.android.apksig.util.RunnablesExecutor; import com.android.apksig.zip.ZipFormatException; import java.io.Closeable; import java.io.File; import java.io.IOException; import java.io.RandomAccessFile; import java.nio.ByteBuffer; import java.security.NoSuchAlgorithmException; import java.security.cert.CertificateEncodingException; import java.security.cert.X509Certificate; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.HashMap; import java.util.HashSet; import java.util.List; import java.util.Map; import java.util.Set; /** * APK signature verifier which mimics the behavior of the Android platform. * * <p>The verifier is designed to closely mimic the behavior of Android platforms. This is to enable * the verifier to be used for checking whether an APK's signatures are expected to verify on * Android. * * <p>Use {@link Builder} to obtain instances of this verifier. * * @see <a href="https://source.android.com/security/apksigning/index.html">Application Signing</a> */ public class ApkVerifier { private static final Map<Integer, String> SUPPORTED_APK_SIG_SCHEME_NAMES = loadSupportedApkSigSchemeNames(); private static Map<Integer,String> loadSupportedApkSigSchemeNames() { Map<Integer, String> supportedMap = new HashMap<>(2); supportedMap.put( ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V2, "APK Signature Scheme v2"); supportedMap.put( ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V3, "APK Signature Scheme v3"); return supportedMap; } private final File mApkFile; private final DataSource mApkDataSource; private final Integer mMinSdkVersion; private final int mMaxSdkVersion; private ApkVerifier( File apkFile, DataSource apkDataSource, Integer minSdkVersion, int maxSdkVersion) { mApkFile = apkFile; mApkDataSource = apkDataSource; mMinSdkVersion = minSdkVersion; mMaxSdkVersion = maxSdkVersion; } /** * Verifies the APK's signatures and returns the result of verification. The APK can be * considered verified iff the result's {@link Result#isVerified()} returns {@code true}. * The verification result also includes errors, warnings, and information about signers such * as their signing certificates. * * <p>Verification succeeds iff the APK's signature is expected to verify on all Android * platform versions specified via the {@link Builder}. If the APK's signature is expected to * not verify on any of the specified platform versions, this method returns a result with one * or more errors and whose {@link Result#isVerified()} returns {@code false}, or this method * throws an exception. * * @throws IOException if an I/O error is encountered while reading the APK * @throws ApkFormatException if the APK is malformed * @throws NoSuchAlgorithmException if the APK's signatures cannot be verified because a * required cryptographic algorithm implementation is missing * @throws IllegalStateException if this verifier's configuration is missing required * information. */ public Result verify() throws IOException, ApkFormatException, NoSuchAlgorithmException, IllegalStateException { Closeable in = null; try { DataSource apk; if (mApkDataSource != null) { apk = mApkDataSource; } else if (mApkFile != null) { RandomAccessFile f = new RandomAccessFile(mApkFile, "r"); in = f; apk = DataSources.asDataSource(f, 0, f.length()); } else { throw new IllegalStateException("APK not provided"); } return verify(apk); } finally { if (in != null) { in.close(); } } } /** * Verifies the APK's signatures and returns the result of verification. The APK can be * considered verified iff the result's {@link Result#isVerified()} returns {@code true}. * The verification result also includes errors, warnings, and information about signers. * * @param apk APK file contents * * @throws IOException if an I/O error is encountered while reading the APK * @throws ApkFormatException if the APK is malformed * @throws NoSuchAlgorithmException if the APK's signatures cannot be verified because a * required cryptographic algorithm implementation is missing */ private Result verify(DataSource apk) throws IOException, ApkFormatException, NoSuchAlgorithmException { if (mMinSdkVersion != null) { if (mMinSdkVersion < 0) { throw new IllegalArgumentException( "minSdkVersion must not be negative: " + mMinSdkVersion); } if ((mMinSdkVersion != null) && (mMinSdkVersion > mMaxSdkVersion)) { throw new IllegalArgumentException( "minSdkVersion (" + mMinSdkVersion + ") > maxSdkVersion (" + mMaxSdkVersion + ")"); } } int maxSdkVersion = mMaxSdkVersion; ApkUtils.ZipSections zipSections; try { zipSections = ApkUtils.findZipSections(apk); } catch (ZipFormatException e) { throw new ApkFormatException("Malformed APK: not a ZIP archive", e); } ByteBuffer androidManifest = null; int minSdkVersion; if (mMinSdkVersion != null) { // No need to obtain minSdkVersion from the APK's AndroidManifest.xml minSdkVersion = mMinSdkVersion; } else { // Need to obtain minSdkVersion from the APK's AndroidManifest.xml if (androidManifest == null) { androidManifest = getAndroidManifestFromApk(apk, zipSections); } minSdkVersion = ApkUtils.getMinSdkVersionFromBinaryAndroidManifest(androidManifest.slice()); if (minSdkVersion > mMaxSdkVersion) { throw new IllegalArgumentException( "minSdkVersion from APK (" + minSdkVersion + ") > maxSdkVersion (" + mMaxSdkVersion + ")"); } } Result result = new Result(); // The SUPPORTED_APK_SIG_SCHEME_NAMES contains the mapping from version number to scheme // name, but the verifiers use this parameter as the schemes supported by the target SDK // range. Since the code below skips signature verification based on max SDK the mapping of // supported schemes needs to be modified to ensure the verifiers do not report a stripped // signature for an SDK range that does not support that signature version. For instance an // APK with V1, V2, and V3 signatures and a max SDK of O would skip the V3 signature // verification, but the SUPPORTED_APK_SIG_SCHEME_NAMES contains version 3, so when the V2 // verification is performed it would see the stripping protection attribute, see that V3 // is in the list of supported signatures, and report a stripped signature. Map<Integer, String> supportedSchemeNames; if (maxSdkVersion >= AndroidSdkVersion.P) { supportedSchemeNames = SUPPORTED_APK_SIG_SCHEME_NAMES; } else if (maxSdkVersion >= AndroidSdkVersion.N) { supportedSchemeNames = new HashMap<>(1); supportedSchemeNames.put(ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V2, SUPPORTED_APK_SIG_SCHEME_NAMES.get( ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V2)); } else { supportedSchemeNames = Collections.EMPTY_MAP; } // Android N and newer attempts to verify APKs using the APK Signing Block, which can // include v2 and/or v3 signatures. If none is found, it falls back to JAR signature // verification. If the signature is found but does not verify, the APK is rejected. Set<Integer> foundApkSigSchemeIds = new HashSet<>(2); if (maxSdkVersion >= AndroidSdkVersion.N) { RunnablesExecutor executor = RunnablesExecutor.SINGLE_THREADED; // Android P and newer attempts to verify APKs using APK Signature Scheme v3 if (maxSdkVersion >= AndroidSdkVersion.P) { try { ApkSigningBlockUtils.Result v3Result = V3SchemeVerifier.verify( executor, apk, zipSections, Math.max(minSdkVersion, AndroidSdkVersion.P), maxSdkVersion); foundApkSigSchemeIds.add(ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V3); result.mergeFrom(v3Result); } catch (ApkSigningBlockUtils.SignatureNotFoundException ignored) { // v3 signature not required } if (result.containsErrors()) { return result; } } // Attempt to verify the APK using v2 signing if necessary. Platforms prior to Android P // ignore APK Signature Scheme v3 signatures and always attempt to verify either JAR or // APK Signature Scheme v2 signatures. Android P onwards verifies v2 signatures only if // no APK Signature Scheme v3 (or newer scheme) signatures were found. if (minSdkVersion < AndroidSdkVersion.P || foundApkSigSchemeIds.isEmpty()) { try { ApkSigningBlockUtils.Result v2Result = V2SchemeVerifier.verify( executor, apk, zipSections, supportedSchemeNames, foundApkSigSchemeIds, Math.max(minSdkVersion, AndroidSdkVersion.N), maxSdkVersion); foundApkSigSchemeIds.add(ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V2); result.mergeFrom(v2Result); } catch (ApkSigningBlockUtils.SignatureNotFoundException ignored) { // v2 signature not required } if (result.containsErrors()) { return result; } } } // Android O and newer requires that APKs targeting security sandbox version 2 and higher // are signed using APK Signature Scheme v2 or newer. if (maxSdkVersion >= AndroidSdkVersion.O) { if (androidManifest == null) { androidManifest = getAndroidManifestFromApk(apk, zipSections); } int targetSandboxVersion = getTargetSandboxVersionFromBinaryAndroidManifest(androidManifest.slice()); if (targetSandboxVersion > 1) { if (foundApkSigSchemeIds.isEmpty()) { result.addError( Issue.NO_SIG_FOR_TARGET_SANDBOX_VERSION, targetSandboxVersion); } } } // Attempt to verify the APK using JAR signing if necessary. Platforms prior to Android N // ignore APK Signature Scheme v2 signatures and always attempt to verify JAR signatures. // Android N onwards verifies JAR signatures only if no APK Signature Scheme v2 (or newer // scheme) signatures were found. if ((minSdkVersion < AndroidSdkVersion.N) || (foundApkSigSchemeIds.isEmpty())) { V1SchemeVerifier.Result v1Result = V1SchemeVerifier.verify( apk, zipSections, supportedSchemeNames, foundApkSigSchemeIds, minSdkVersion, maxSdkVersion); result.mergeFrom(v1Result); } if (result.containsErrors()) { return result; } // Check whether v1 and v2 scheme signer identifies match, provided both v1 and v2 // signatures verified. if ((result.isVerifiedUsingV1Scheme()) && (result.isVerifiedUsingV2Scheme())) { ArrayList<Result.V1SchemeSignerInfo> v1Signers = new ArrayList<>(result.getV1SchemeSigners()); ArrayList<Result.V2SchemeSignerInfo> v2Signers = new ArrayList<>(result.getV2SchemeSigners()); ArrayList<ByteArray> v1SignerCerts = new ArrayList<>(); ArrayList<ByteArray> v2SignerCerts = new ArrayList<>(); for (Result.V1SchemeSignerInfo signer : v1Signers) { try { v1SignerCerts.add(new ByteArray(signer.getCertificate().getEncoded())); } catch (CertificateEncodingException e) { throw new RuntimeException( "Failed to encode JAR signer " + signer.getName() + " certs", e); } } for (Result.V2SchemeSignerInfo signer : v2Signers) { try { v2SignerCerts.add(new ByteArray(signer.getCertificate().getEncoded())); } catch (CertificateEncodingException e) { throw new RuntimeException( "Failed to encode APK Signature Scheme v2 signer (index: " + signer.getIndex() + ") certs", e); } } for (int i = 0; i < v1SignerCerts.size(); i++) { ByteArray v1Cert = v1SignerCerts.get(i); if (!v2SignerCerts.contains(v1Cert)) { Result.V1SchemeSignerInfo v1Signer = v1Signers.get(i); v1Signer.addError(Issue.V2_SIG_MISSING); break; } } for (int i = 0; i < v2SignerCerts.size(); i++) { ByteArray v2Cert = v2SignerCerts.get(i); if (!v1SignerCerts.contains(v2Cert)) { Result.V2SchemeSignerInfo v2Signer = v2Signers.get(i); v2Signer.addError(Issue.JAR_SIG_MISSING); break; } } } // If there is a v3 scheme signer and an earlier scheme signer, make sure that there is a // match, or in the event of signing certificate rotation, that the v1/v2 scheme signer // matches the oldest signing certificate in the provided SigningCertificateLineage if (result.isVerifiedUsingV3Scheme() && (result.isVerifiedUsingV1Scheme() || result.isVerifiedUsingV2Scheme())) { SigningCertificateLineage lineage = result.getSigningCertificateLineage(); X509Certificate oldSignerCert; if (result.isVerifiedUsingV1Scheme()) { List<Result.V1SchemeSignerInfo> v1Signers = result.getV1SchemeSigners(); if (v1Signers.size() != 1) { // APK Signature Scheme v3 only supports single-signers, error to sign with // multiple and then only one result.addError(Issue.V3_SIG_MULTIPLE_PAST_SIGNERS); } oldSignerCert = v1Signers.get(0).mCertChain.get(0); } else { List<Result.V2SchemeSignerInfo> v2Signers = result.getV2SchemeSigners(); if (v2Signers.size() != 1) { // APK Signature Scheme v3 only supports single-signers, error to sign with // multiple and then only one result.addError(Issue.V3_SIG_MULTIPLE_PAST_SIGNERS); } oldSignerCert = v2Signers.get(0).mCerts.get(0); } if (lineage == null) { // no signing certificate history with which to contend, just make sure that v3 // matches previous versions List<Result.V3SchemeSignerInfo> v3Signers = result.getV3SchemeSigners(); if (v3Signers.size() != 1) { // multiple v3 signers should never exist without rotation history, since // multiple signers implies a different signer for different platform versions result.addError(Issue.V3_SIG_MULTIPLE_SIGNERS); } try { if (!Arrays.equals(oldSignerCert.getEncoded(), v3Signers.get(0).mCerts.get(0).getEncoded())) { result.addError(Issue.V3_SIG_PAST_SIGNERS_MISMATCH); } } catch (CertificateEncodingException e) { // we just go the encoding for the v1/v2 certs above, so must be v3 throw new RuntimeException( "Failed to encode APK Signature Scheme v3 signer cert", e); } } else { // we have some signing history, make sure that the root of the history is the same // as our v1/v2 signer try { lineage = lineage.getSubLineage(oldSignerCert); if (lineage.size() != 1) { // the v1/v2 signer was found, but not at the root of the lineage result.addError(Issue.V3_SIG_PAST_SIGNERS_MISMATCH); } } catch (IllegalArgumentException e) { // the v1/v2 signer was not found in the lineage result.addError(Issue.V3_SIG_PAST_SIGNERS_MISMATCH); } } } if (result.containsErrors()) { return result; } // Verified result.setVerified(); if (result.isVerifiedUsingV3Scheme()) { List<Result.V3SchemeSignerInfo> v3Signers = result.getV3SchemeSigners(); result.addSignerCertificate(v3Signers.get(v3Signers.size() - 1).getCertificate()); } else if (result.isVerifiedUsingV2Scheme()) { for (Result.V2SchemeSignerInfo signerInfo : result.getV2SchemeSigners()) { result.addSignerCertificate(signerInfo.getCertificate()); } } else if (result.isVerifiedUsingV1Scheme()) { for (Result.V1SchemeSignerInfo signerInfo : result.getV1SchemeSigners()) { result.addSignerCertificate(signerInfo.getCertificate()); } } else { throw new RuntimeException( "APK verified, but has not verified using any of v1, v2 or v3schemes"); } return result; } private static ByteBuffer getAndroidManifestFromApk( DataSource apk, ApkUtils.ZipSections zipSections) throws IOException, ApkFormatException { List<CentralDirectoryRecord> cdRecords = V1SchemeVerifier.parseZipCentralDirectory(apk, zipSections); try { return ApkSigner.getAndroidManifestFromApk( cdRecords, apk.slice(0, zipSections.getZipCentralDirectoryOffset())); } catch (ZipFormatException e) { throw new ApkFormatException("Failed to read AndroidManifest.xml", e); } } /** * Android resource ID of the {@code android:targetSandboxVersion} attribute in * AndroidManifest.xml. */ private static final int TARGET_SANDBOX_VERSION_ATTR_ID = 0x0101054c; /** * Returns the security sandbox version targeted by an APK with the provided * {@code AndroidManifest.xml}. * * @param androidManifestContents contents of {@code AndroidManifest.xml} in binary Android * resource format * * @throws ApkFormatException if an error occurred while determining the version */ private static int getTargetSandboxVersionFromBinaryAndroidManifest( ByteBuffer androidManifestContents) throws ApkFormatException { // Return the value of the android:targetSandboxVersion attribute of the top-level manifest // element try { AndroidBinXmlParser parser = new AndroidBinXmlParser(androidManifestContents); int eventType = parser.getEventType(); while (eventType != AndroidBinXmlParser.EVENT_END_DOCUMENT) { if ((eventType == AndroidBinXmlParser.EVENT_START_ELEMENT) && (parser.getDepth() == 1) && ("manifest".equals(parser.getName())) && (parser.getNamespace().isEmpty())) { // In each manifest element, targetSandboxVersion defaults to 1 int result = 1; for (int i = 0; i < parser.getAttributeCount(); i++) { if (parser.getAttributeNameResourceId(i) == TARGET_SANDBOX_VERSION_ATTR_ID) { int valueType = parser.getAttributeValueType(i); switch (valueType) { case AndroidBinXmlParser.VALUE_TYPE_INT: result = parser.getAttributeIntValue(i); break; default: throw new ApkFormatException( "Failed to determine APK's target sandbox version" + ": unsupported value type of" + " AndroidManifest.xml" + " android:targetSandboxVersion" + ". Only integer values supported."); } break; } } return result; } eventType = parser.next(); } throw new ApkFormatException( "Failed to determine APK's target sandbox version" + " : no manifest element in AndroidManifest.xml"); } catch (AndroidBinXmlParser.XmlParserException e) { throw new ApkFormatException( "Failed to determine APK's target sandbox version" + ": malformed AndroidManifest.xml", e); } } /** * Result of verifying an APKs signatures. The APK can be considered verified iff * {@link #isVerified()} returns {@code true}. */ public static class Result { private final List<IssueWithParams> mErrors = new ArrayList<>(); private final List<IssueWithParams> mWarnings = new ArrayList<>(); private final List<X509Certificate> mSignerCerts = new ArrayList<>(); private final List<V1SchemeSignerInfo> mV1SchemeSigners = new ArrayList<>(); private final List<V1SchemeSignerInfo> mV1SchemeIgnoredSigners = new ArrayList<>(); private final List<V2SchemeSignerInfo> mV2SchemeSigners = new ArrayList<>(); private final List<V3SchemeSignerInfo> mV3SchemeSigners = new ArrayList<>(); private boolean mVerified; private boolean mVerifiedUsingV1Scheme; private boolean mVerifiedUsingV2Scheme; private boolean mVerifiedUsingV3Scheme; private SigningCertificateLineage mSigningCertificateLineage; /** * Returns {@code true} if the APK's signatures verified. */ public boolean isVerified() { return mVerified; } private void setVerified() { mVerified = true; } /** * Returns {@code true} if the APK's JAR signatures verified. */ public boolean isVerifiedUsingV1Scheme() { return mVerifiedUsingV1Scheme; } /** * Returns {@code true} if the APK's APK Signature Scheme v2 signatures verified. */ public boolean isVerifiedUsingV2Scheme() { return mVerifiedUsingV2Scheme; } /** * Returns {@code true} if the APK's APK Signature Scheme v3 signature verified. */ public boolean isVerifiedUsingV3Scheme() { return mVerifiedUsingV3Scheme; } /** * Returns the verified signers' certificates, one per signer. */ public List<X509Certificate> getSignerCertificates() { return mSignerCerts; } private void addSignerCertificate(X509Certificate cert) { mSignerCerts.add(cert); } /** * Returns information about JAR signers associated with the APK's signature. These are the * signers used by Android. * * @see #getV1SchemeIgnoredSigners() */ public List<V1SchemeSignerInfo> getV1SchemeSigners() { return mV1SchemeSigners; } /** * Returns information about JAR signers ignored by the APK's signature verification * process. These signers are ignored by Android. However, each signer's errors or warnings * will contain information about why they are ignored. * * @see #getV1SchemeSigners() */ public List<V1SchemeSignerInfo> getV1SchemeIgnoredSigners() { return mV1SchemeIgnoredSigners; } /** * Returns information about APK Signature Scheme v2 signers associated with the APK's * signature. */ public List<V2SchemeSignerInfo> getV2SchemeSigners() { return mV2SchemeSigners; } /** * Returns information about APK Signature Scheme v3 signers associated with the APK's * signature. * * <note> Multiple signers represent different targeted platform versions, not * a signing identity of multiple signers. APK Signature Scheme v3 only supports single * signer identities.</note> */ public List<V3SchemeSignerInfo> getV3SchemeSigners() { return mV3SchemeSigners; } /** * Returns the combined SigningCertificateLineage associated with this APK's APK Signature * Scheme v3 signing block. */ public SigningCertificateLineage getSigningCertificateLineage() { return mSigningCertificateLineage; } void addError(Issue msg, Object... parameters) { mErrors.add(new IssueWithParams(msg, parameters)); } /** * Returns errors encountered while verifying the APK's signatures. */ public List<IssueWithParams> getErrors() { return mErrors; } /** * Returns warnings encountered while verifying the APK's signatures. */ public List<IssueWithParams> getWarnings() { return mWarnings; } private void mergeFrom(V1SchemeVerifier.Result source) { mVerifiedUsingV1Scheme = source.verified; mErrors.addAll(source.getErrors()); mWarnings.addAll(source.getWarnings()); for (V1SchemeVerifier.Result.SignerInfo signer : source.signers) { mV1SchemeSigners.add(new V1SchemeSignerInfo(signer)); } for (V1SchemeVerifier.Result.SignerInfo signer : source.ignoredSigners) { mV1SchemeIgnoredSigners.add(new V1SchemeSignerInfo(signer)); } } private void mergeFrom(ApkSigningBlockUtils.Result source) { switch (source.signatureSchemeVersion) { case ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V2: mVerifiedUsingV2Scheme = source.verified; for (ApkSigningBlockUtils.Result.SignerInfo signer : source.signers) { mV2SchemeSigners.add(new V2SchemeSignerInfo(signer)); } break; case ApkSigningBlockUtils.VERSION_APK_SIGNATURE_SCHEME_V3: mVerifiedUsingV3Scheme = source.verified; for (ApkSigningBlockUtils.Result.SignerInfo signer : source.signers) { mV3SchemeSigners.add(new V3SchemeSignerInfo(signer)); } mSigningCertificateLineage = source.signingCertificateLineage; break; default: throw new IllegalArgumentException("Unknown Signing Block Scheme Id"); } mErrors.addAll(source.getErrors()); mWarnings.addAll(source.getWarnings()); } /** * Returns {@code true} if an error was encountered while verifying the APK. Any error * prevents the APK from being considered verified. */ public boolean containsErrors() { if (!mErrors.isEmpty()) { return true; } if (!mV1SchemeSigners.isEmpty()) { for (V1SchemeSignerInfo signer : mV1SchemeSigners) { if (signer.containsErrors()) { return true; } } } if (!mV2SchemeSigners.isEmpty()) { for (V2SchemeSignerInfo signer : mV2SchemeSigners) { if (signer.containsErrors()) { return true; } } } if (!mV3SchemeSigners.isEmpty()) { for (V3SchemeSignerInfo signer : mV3SchemeSigners) { if (signer.containsErrors()) { return true; } } } return false; } /** * Information about a JAR signer associated with the APK's signature. */ public static class V1SchemeSignerInfo { private final String mName; private final List<X509Certificate> mCertChain; private final String mSignatureBlockFileName; private final String mSignatureFileName; private final List<IssueWithParams> mErrors; private final List<IssueWithParams> mWarnings; private V1SchemeSignerInfo(V1SchemeVerifier.Result.SignerInfo result) { mName = result.name; mCertChain = result.certChain; mSignatureBlockFileName = result.signatureBlockFileName; mSignatureFileName = result.signatureFileName; mErrors = result.getErrors(); mWarnings = result.getWarnings(); } /** * Returns a user-friendly name of the signer. */ public String getName() { return mName; } /** * Returns the name of the JAR entry containing this signer's JAR signature block file. */ public String getSignatureBlockFileName() { return mSignatureBlockFileName; } /** * Returns the name of the JAR entry containing this signer's JAR signature file. */ public String getSignatureFileName() { return mSignatureFileName; } /** * Returns this signer's signing certificate or {@code null} if not available. The * certificate is guaranteed to be available if no errors were encountered during * verification (see {@link #containsErrors()}. * * <p>This certificate contains the signer's public key. */ public X509Certificate getCertificate() { return mCertChain.isEmpty() ? null : mCertChain.get(0); } /** * Returns the certificate chain for the signer's public key. The certificate containing * the public key is first, followed by the certificate (if any) which issued the * signing certificate, and so forth. An empty list may be returned if an error was * encountered during verification (see {@link #containsErrors()}). */ public List<X509Certificate> getCertificateChain() { return mCertChain; } /** * Returns {@code true} if an error was encountered while verifying this signer's JAR * signature. Any error prevents the signer's signature from being considered verified. */ public boolean containsErrors() { return !mErrors.isEmpty(); } /** * Returns errors encountered while verifying this signer's JAR signature. Any error * prevents the signer's signature from being considered verified. */ public List<IssueWithParams> getErrors() { return mErrors; } /** * Returns warnings encountered while verifying this signer's JAR signature. Warnings * do not prevent the signer's signature from being considered verified. */ public List<IssueWithParams> getWarnings() { return mWarnings; } private void addError(Issue msg, Object... parameters) { mErrors.add(new IssueWithParams(msg, parameters)); } } /** * Information about an APK Signature Scheme v2 signer associated with the APK's signature. */ public static class V2SchemeSignerInfo { private final int mIndex; private final List<X509Certificate> mCerts; private final List<IssueWithParams> mErrors; private final List<IssueWithParams> mWarnings; private V2SchemeSignerInfo(ApkSigningBlockUtils.Result.SignerInfo result) { mIndex = result.index; mCerts = result.certs; mErrors = result.getErrors(); mWarnings = result.getWarnings(); } /** * Returns this signer's {@code 0}-based index in the list of signers contained in the * APK's APK Signature Scheme v2 signature. */ public int getIndex() { return mIndex; } /** * Returns this signer's signing certificate or {@code null} if not available. The * certificate is guaranteed to be available if no errors were encountered during * verification (see {@link #containsErrors()}. * * <p>This certificate contains the signer's public key. */ public X509Certificate getCertificate() { return mCerts.isEmpty() ? null : mCerts.get(0); } /** * Returns this signer's certificates. The first certificate is for the signer's public * key. An empty list may be returned if an error was encountered during verification * (see {@link #containsErrors()}). */ public List<X509Certificate> getCertificates() { return mCerts; } private void addError(Issue msg, Object... parameters) { mErrors.add(new IssueWithParams(msg, parameters)); } public boolean containsErrors() { return !mErrors.isEmpty(); } public List<IssueWithParams> getErrors() { return mErrors; } public List<IssueWithParams> getWarnings() { return mWarnings; } } /** * Information about an APK Signature Scheme v3 signer associated with the APK's signature. */ public static class V3SchemeSignerInfo { private final int mIndex; private final List<X509Certificate> mCerts; private final List<IssueWithParams> mErrors; private final List<IssueWithParams> mWarnings; private V3SchemeSignerInfo(ApkSigningBlockUtils.Result.SignerInfo result) { mIndex = result.index; mCerts = result.certs; mErrors = result.getErrors(); mWarnings = result.getWarnings(); } /** * Returns this signer's {@code 0}-based index in the list of signers contained in the * APK's APK Signature Scheme v3 signature. */ public int getIndex() { return mIndex; } /** * Returns this signer's signing certificate or {@code null} if not available. The * certificate is guaranteed to be available if no errors were encountered during * verification (see {@link #containsErrors()}. * * <p>This certificate contains the signer's public key. */ public X509Certificate getCertificate() { return mCerts.isEmpty() ? null : mCerts.get(0); } /** * Returns this signer's certificates. The first certificate is for the signer's public * key. An empty list may be returned if an error was encountered during verification * (see {@link #containsErrors()}). */ public List<X509Certificate> getCertificates() { return mCerts; } public boolean containsErrors() { return !mErrors.isEmpty(); } public List<IssueWithParams> getErrors() { return mErrors; } public List<IssueWithParams> getWarnings() { return mWarnings; } } } /** * Error or warning encountered while verifying an APK's signatures. */ public static enum Issue { /** * APK is not JAR-signed. */ JAR_SIG_NO_SIGNATURES("No JAR signatures"), /** * APK does not contain any entries covered by JAR signatures. */ JAR_SIG_NO_SIGNED_ZIP_ENTRIES("No JAR entries covered by JAR signatures"), /** * APK contains multiple entries with the same name. * * <ul> * <li>Parameter 1: name ({@code String})</li> * </ul> */ JAR_SIG_DUPLICATE_ZIP_ENTRY("Duplicate entry: %1$s"), /** * JAR manifest contains a section with a duplicate name. * * <ul> * <li>Parameter 1: section name ({@code String})</li> * </ul> */ JAR_SIG_DUPLICATE_MANIFEST_SECTION("Duplicate section in META-INF/MANIFEST.MF: %1$s"), /** * JAR manifest contains a section without a name. * * <ul> * <li>Parameter 1: section index (1-based) ({@code Integer})</li> * </ul> */ JAR_SIG_UNNNAMED_MANIFEST_SECTION( "Malformed META-INF/MANIFEST.MF: invidual section #%1$d does not have a name"), /** * JAR signature file contains a section without a name. * * <ul> * <li>Parameter 1: signature file name ({@code String})</li> * <li>Parameter 2: section index (1-based) ({@code Integer})</li> * </ul> */ JAR_SIG_UNNNAMED_SIG_FILE_SECTION( "Malformed %1$s: invidual section #%2$d does not have a name"), /** APK is missing the JAR manifest entry (META-INF/MANIFEST.MF). */ JAR_SIG_NO_MANIFEST("Missing META-INF/MANIFEST.MF"), /** * JAR manifest references an entry which is not there in the APK. * * <ul> * <li>Parameter 1: entry name ({@code String})</li> * </ul> */ JAR_SIG_MISSING_ZIP_ENTRY_REFERENCED_IN_MANIFEST( "%1$s entry referenced by META-INF/MANIFEST.MF not found in the APK"), /** * JAR manifest does not list a digest for the specified entry. * * <ul> * <li>Parameter 1: entry name ({@code String})</li> * </ul> */ JAR_SIG_NO_ZIP_ENTRY_DIGEST_IN_MANIFEST("No digest for %1$s in META-INF/MANIFEST.MF"), /** * JAR signature does not list a digest for the specified entry. * * <ul> * <li>Parameter 1: entry name ({@code String})</li> * <li>Parameter 2: signature file name ({@code String})</li> * </ul> */ JAR_SIG_NO_ZIP_ENTRY_DIGEST_IN_SIG_FILE("No digest for %1$s in %2$s"), /** * The specified JAR entry is not covered by JAR signature. * * <ul> * <li>Parameter 1: entry name ({@code String})</li> * </ul> */ JAR_SIG_ZIP_ENTRY_NOT_SIGNED("%1$s entry not signed"), /** * JAR signature uses different set of signers to protect the two specified ZIP entries. * * <ul> * <li>Parameter 1: first entry name ({@code String})</li> * <li>Parameter 2: first entry signer names ({@code List<String>})</li> * <li>Parameter 3: second entry name ({@code String})</li> * <li>Parameter 4: second entry signer names ({@code List<String>})</li> * </ul> */ JAR_SIG_ZIP_ENTRY_SIGNERS_MISMATCH( "Entries %1$s and %3$s are signed with different sets of signers" + " : <%2$s> vs <%4$s>"), /** * Digest of the specified ZIP entry's data does not match the digest expected by the JAR * signature. * * <ul> * <li>Parameter 1: entry name ({@code String})</li> * <li>Parameter 2: digest algorithm (e.g., SHA-256) ({@code String})</li> * <li>Parameter 3: name of the entry in which the expected digest is specified * ({@code String})</li> * <li>Parameter 4: base64-encoded actual digest ({@code String})</li> * <li>Parameter 5: base64-encoded expected digest ({@code String})</li> * </ul> */ JAR_SIG_ZIP_ENTRY_DIGEST_DID_NOT_VERIFY( "%2$s digest of %1$s does not match the digest specified in %3$s" + ". Expected: <%5$s>, actual: <%4$s>"), /** * Digest of the JAR manifest main section did not verify. * * <ul> * <li>Parameter 1: digest algorithm (e.g., SHA-256) ({@code String})</li> * <li>Parameter 2: name of the entry in which the expected digest is specified * ({@code String})</li> * <li>Parameter 3: base64-encoded actual digest ({@code String})</li> * <li>Parameter 4: base64-encoded expected digest ({@code String})</li> * </ul> */ JAR_SIG_MANIFEST_MAIN_SECTION_DIGEST_DID_NOT_VERIFY( "%1$s digest of META-INF/MANIFEST.MF main section does not match the digest" + " specified in %2$s. Expected: <%4$s>, actual: <%3$s>"), /** * Digest of the specified JAR manifest section does not match the digest expected by the * JAR signature. * * <ul> * <li>Parameter 1: section name ({@code String})</li> * <li>Parameter 2: digest algorithm (e.g., SHA-256) ({@code String})</li> * <li>Parameter 3: name of the signature file in which the expected digest is specified * ({@code String})</li> * <li>Parameter 4: base64-encoded actual digest ({@code String})</li> * <li>Parameter 5: base64-encoded expected digest ({@code String})</li> * </ul> */ JAR_SIG_MANIFEST_SECTION_DIGEST_DID_NOT_VERIFY( "%2$s digest of META-INF/MANIFEST.MF section for %1$s does not match the digest" + " specified in %3$s. Expected: <%5$s>, actual: <%4$s>"), /** * JAR signature file does not contain the whole-file digest of the JAR manifest file. The * digest speeds up verification of JAR signature. * * <ul> * <li>Parameter 1: name of the signature file ({@code String})</li> * </ul> */ JAR_SIG_NO_MANIFEST_DIGEST_IN_SIG_FILE( "%1$s does not specify digest of META-INF/MANIFEST.MF" + ". This slows down verification."), /** * APK is signed using APK Signature Scheme v2 or newer, but JAR signature file does not * contain protections against stripping of these newer scheme signatures. * * <ul> * <li>Parameter 1: name of the signature file ({@code String})</li> * </ul> */ JAR_SIG_NO_APK_SIG_STRIP_PROTECTION( "APK is signed using APK Signature Scheme v2 but these signatures may be stripped" + " without being detected because %1$s does not contain anti-stripping" + " protections."), /** * JAR signature of the signer is missing a file/entry. * * <ul> * <li>Parameter 1: name of the encountered file ({@code String})</li> * <li>Parameter 2: name of the missing file ({@code String})</li> * </ul> */ JAR_SIG_MISSING_FILE("Partial JAR signature. Found: %1$s, missing: %2$s"), /** * An exception was encountered while verifying JAR signature contained in a signature block * against the signature file. * * <ul> * <li>Parameter 1: name of the signature block file ({@code String})</li> * <li>Parameter 2: name of the signature file ({@code String})</li> * <li>Parameter 3: exception ({@code Throwable})</li> * </ul> */ JAR_SIG_VERIFY_EXCEPTION("Failed to verify JAR signature %1$s against %2$s: %3$s"), /** * JAR signature contains unsupported digest algorithm. * * <ul> * <li>Parameter 1: name of the signature block file ({@code String})</li> * <li>Parameter 2: digest algorithm OID ({@code String})</li> * <li>Parameter 3: signature algorithm OID ({@code String})</li> * <li>Parameter 4: API Levels on which this combination of algorithms is not supported * ({@code String})</li> * <li>Parameter 5: user-friendly variant of digest algorithm ({@code String})</li> * <li>Parameter 6: user-friendly variant of signature algorithm ({@code String})</li> * </ul> */ JAR_SIG_UNSUPPORTED_SIG_ALG( "JAR signature %1$s uses digest algorithm %5$s and signature algorithm %6$s which" + " is not supported on API Level(s) %4$s for which this APK is being" + " verified"), /** * An exception was encountered while parsing JAR signature contained in a signature block. * * <ul> * <li>Parameter 1: name of the signature block file ({@code String})</li> * <li>Parameter 2: exception ({@code Throwable})</li> * </ul> */ JAR_SIG_PARSE_EXCEPTION("Failed to parse JAR signature %1$s: %2$s"), /** * An exception was encountered while parsing a certificate contained in the JAR signature * block. * * <ul> * <li>Parameter 1: name of the signature block file ({@code String})</li> * <li>Parameter 2: exception ({@code Throwable})</li> * </ul> */ JAR_SIG_MALFORMED_CERTIFICATE("Malformed certificate in JAR signature %1$s: %2$s"), /** * JAR signature contained in a signature block file did not verify against the signature * file. * * <ul> * <li>Parameter 1: name of the signature block file ({@code String})</li> * <li>Parameter 2: name of the signature file ({@code String})</li> * </ul> */ JAR_SIG_DID_NOT_VERIFY("JAR signature %1$s did not verify against %2$s"), /** * JAR signature contains no verified signers. * * <ul> * <li>Parameter 1: name of the signature block file ({@code String})</li> * </ul> */ JAR_SIG_NO_SIGNERS("JAR signature %1$s contains no signers"), /** * JAR signature file contains a section with a duplicate name. * * <ul> * <li>Parameter 1: signature file name ({@code String})</li> * <li>Parameter 1: section name ({@code String})</li> * </ul> */ JAR_SIG_DUPLICATE_SIG_FILE_SECTION("Duplicate section in %1$s: %2$s"), /** * JAR signature file's main section doesn't contain the mandatory Signature-Version * attribute. * * <ul> * <li>Parameter 1: signature file name ({@code String})</li> * </ul> */ JAR_SIG_MISSING_VERSION_ATTR_IN_SIG_FILE( "Malformed %1$s: missing Signature-Version attribute"), /** * JAR signature file references an unknown APK signature scheme ID. * * <ul> * <li>Parameter 1: name of the signature file ({@code String})</li> * <li>Parameter 2: unknown APK signature scheme ID ({@code} Integer)</li> * </ul> */ JAR_SIG_UNKNOWN_APK_SIG_SCHEME_ID( "JAR signature %1$s references unknown APK signature scheme ID: %2$d"), /** * JAR signature file indicates that the APK is supposed to be signed with a supported APK * signature scheme (in addition to the JAR signature) but no such signature was found in * the APK. * * <ul> * <li>Parameter 1: name of the signature file ({@code String})</li> * <li>Parameter 2: APK signature scheme ID ({@code} Integer)</li> * <li>Parameter 3: APK signature scheme English name ({@code} String)</li> * </ul> */ JAR_SIG_MISSING_APK_SIG_REFERENCED( "JAR signature %1$s indicates the APK is signed using %3$s but no such signature" + " was found. Signature stripped?"), /** * JAR entry is not covered by signature and thus unauthorized modifications to its contents * will not be detected. * * <ul> * <li>Parameter 1: entry name ({@code String})</li> * </ul> */ JAR_SIG_UNPROTECTED_ZIP_ENTRY( "%1$s not protected by signature. Unauthorized modifications to this JAR entry" + " will not be detected. Delete or move the entry outside of META-INF/."), /** * APK which is both JAR-signed and signed using APK Signature Scheme v2 contains an APK * Signature Scheme v2 signature from this signer, but does not contain a JAR signature * from this signer. */ JAR_SIG_MISSING("No JAR signature from this signer"), /** * APK is targeting a sandbox version which requires APK Signature Scheme v2 signature but * no such signature was found. * * <ul> * <li>Parameter 1: target sandbox version ({@code Integer})</li> * </ul> */ NO_SIG_FOR_TARGET_SANDBOX_VERSION( "Missing APK Signature Scheme v2 signature required for target sandbox version" + " %1$d"), /** * APK which is both JAR-signed and signed using APK Signature Scheme v2 contains a JAR * signature from this signer, but does not contain an APK Signature Scheme v2 signature * from this signer. */ V2_SIG_MISSING("No APK Signature Scheme v2 signature from this signer"), /** * Failed to parse the list of signers contained in the APK Signature Scheme v2 signature. */ V2_SIG_MALFORMED_SIGNERS("Malformed list of signers"), /** * Failed to parse this signer's signer block contained in the APK Signature Scheme v2 * signature. */ V2_SIG_MALFORMED_SIGNER("Malformed signer block"), /** * Public key embedded in the APK Signature Scheme v2 signature of this signer could not be * parsed. * * <ul> * <li>Parameter 1: error details ({@code Throwable})</li> * </ul> */ V2_SIG_MALFORMED_PUBLIC_KEY("Malformed public key: %1$s"), /** * This APK Signature Scheme v2 signer's certificate could not be parsed. * * <ul> * <li>Parameter 1: index ({@code 0}-based) of the certificate in the signer's list of * certificates ({@code Integer})</li> * <li>Parameter 2: sequence number ({@code 1}-based) of the certificate in the signer's * list of certificates ({@code Integer})</li> * <li>Parameter 3: error details ({@code Throwable})</li> * </ul> */ V2_SIG_MALFORMED_CERTIFICATE("Malformed certificate #%2$d: %3$s"), /** * Failed to parse this signer's signature record contained in the APK Signature Scheme v2 * signature. * * <ul> * <li>Parameter 1: record number (first record is {@code 1}) ({@code Integer})</li> * </ul> */ V2_SIG_MALFORMED_SIGNATURE("Malformed APK Signature Scheme v2 signature record #%1$d"), /** * Failed to parse this signer's digest record contained in the APK Signature Scheme v2 * signature. * * <ul> * <li>Parameter 1: record number (first record is {@code 1}) ({@code Integer})</li> * </ul> */ V2_SIG_MALFORMED_DIGEST("Malformed APK Signature Scheme v2 digest record #%1$d"), /** * This APK Signature Scheme v2 signer contains a malformed additional attribute. * * <ul> * <li>Parameter 1: attribute number (first attribute is {@code 1}) {@code Integer})</li> * </ul> */ V2_SIG_MALFORMED_ADDITIONAL_ATTRIBUTE("Malformed additional attribute #%1$d"), /** * APK Signature Scheme v2 signature references an unknown APK signature scheme ID. * * <ul> * <li>Parameter 1: signer index ({@code Integer})</li> * <li>Parameter 2: unknown APK signature scheme ID ({@code} Integer)</li> * </ul> */ V2_SIG_UNKNOWN_APK_SIG_SCHEME_ID( "APK Signature Scheme v2 signer: %1$s references unknown APK signature scheme ID: " + "%2$d"), /** * APK Signature Scheme v2 signature indicates that the APK is supposed to be signed with a * supported APK signature scheme (in addition to the v2 signature) but no such signature * was found in the APK. * * <ul> * <li>Parameter 1: signer index ({@code Integer})</li> * <li>Parameter 2: APK signature scheme English name ({@code} String)</li> * </ul> */ V2_SIG_MISSING_APK_SIG_REFERENCED( "APK Signature Scheme v2 signature %1$s indicates the APK is signed using %2$s but " + "no such signature was found. Signature stripped?"), /** * APK Signature Scheme v2 signature contains no signers. */ V2_SIG_NO_SIGNERS("No signers in APK Signature Scheme v2 signature"), /** * This APK Signature Scheme v2 signer contains a signature produced using an unknown * algorithm. * * <ul> * <li>Parameter 1: algorithm ID ({@code Integer})</li> * </ul> */ V2_SIG_UNKNOWN_SIG_ALGORITHM("Unknown signature algorithm: %1$#x"), /** * This APK Signature Scheme v2 signer contains an unknown additional attribute. * * <ul> * <li>Parameter 1: attribute ID ({@code Integer})</li> * </ul> */ V2_SIG_UNKNOWN_ADDITIONAL_ATTRIBUTE("Unknown additional attribute: ID %1$#x"), /** * An exception was encountered while verifying APK Signature Scheme v2 signature of this * signer. * * <ul> * <li>Parameter 1: signature algorithm ({@link SignatureAlgorithm})</li> * <li>Parameter 2: exception ({@code Throwable})</li> * </ul> */ V2_SIG_VERIFY_EXCEPTION("Failed to verify %1$s signature: %2$s"), /** * APK Signature Scheme v2 signature over this signer's signed-data block did not verify. * * <ul> * <li>Parameter 1: signature algorithm ({@link SignatureAlgorithm})</li> * </ul> */ V2_SIG_DID_NOT_VERIFY("%1$s signature over signed-data did not verify"), /** * This APK Signature Scheme v2 signer offers no signatures. */ V2_SIG_NO_SIGNATURES("No signatures"), /** * This APK Signature Scheme v2 signer offers signatures but none of them are supported. */ V2_SIG_NO_SUPPORTED_SIGNATURES("No supported signatures"), /** * This APK Signature Scheme v2 signer offers no certificates. */ V2_SIG_NO_CERTIFICATES("No certificates"), /** * This APK Signature Scheme v2 signer's public key listed in the signer's certificate does * not match the public key listed in the signatures record. * * <ul> * <li>Parameter 1: hex-encoded public key from certificate ({@code String})</li> * <li>Parameter 2: hex-encoded public key from signatures record ({@code String})</li> * </ul> */ V2_SIG_PUBLIC_KEY_MISMATCH_BETWEEN_CERTIFICATE_AND_SIGNATURES_RECORD( "Public key mismatch between certificate and signature record: <%1$s> vs <%2$s>"), /** * This APK Signature Scheme v2 signer's signature algorithms listed in the signatures * record do not match the signature algorithms listed in the signatures record. * * <ul> * <li>Parameter 1: signature algorithms from signatures record ({@code List<Integer>})</li> * <li>Parameter 2: signature algorithms from digests record ({@code List<Integer>})</li> * </ul> */ V2_SIG_SIG_ALG_MISMATCH_BETWEEN_SIGNATURES_AND_DIGESTS_RECORDS( "Signature algorithms mismatch between signatures and digests records" + ": %1$s vs %2$s"), /** * The APK's digest does not match the digest contained in the APK Signature Scheme v2 * signature. * * <ul> * <li>Parameter 1: content digest algorithm ({@link ContentDigestAlgorithm})</li> * <li>Parameter 2: hex-encoded expected digest of the APK ({@code String})</li> * <li>Parameter 3: hex-encoded actual digest of the APK ({@code String})</li> * </ul> */ V2_SIG_APK_DIGEST_DID_NOT_VERIFY( "APK integrity check failed. %1$s digest mismatch." + " Expected: <%2$s>, actual: <%3$s>"), /** * Failed to parse the list of signers contained in the APK Signature Scheme v3 signature. */ V3_SIG_MALFORMED_SIGNERS("Malformed list of signers"), /** * Failed to parse this signer's signer block contained in the APK Signature Scheme v3 * signature. */ V3_SIG_MALFORMED_SIGNER("Malformed signer block"), /** * Public key embedded in the APK Signature Scheme v3 signature of this signer could not be * parsed. * * <ul> * <li>Parameter 1: error details ({@code Throwable})</li> * </ul> */ V3_SIG_MALFORMED_PUBLIC_KEY("Malformed public key: %1$s"), /** * This APK Signature Scheme v3 signer's certificate could not be parsed. * * <ul> * <li>Parameter 1: index ({@code 0}-based) of the certificate in the signer's list of * certificates ({@code Integer})</li> * <li>Parameter 2: sequence number ({@code 1}-based) of the certificate in the signer's * list of certificates ({@code Integer})</li> * <li>Parameter 3: error details ({@code Throwable})</li> * </ul> */ V3_SIG_MALFORMED_CERTIFICATE("Malformed certificate #%2$d: %3$s"), /** * Failed to parse this signer's signature record contained in the APK Signature Scheme v3 * signature. * * <ul> * <li>Parameter 1: record number (first record is {@code 1}) ({@code Integer})</li> * </ul> */ V3_SIG_MALFORMED_SIGNATURE("Malformed APK Signature Scheme v3 signature record #%1$d"), /** * Failed to parse this signer's digest record contained in the APK Signature Scheme v3 * signature. * * <ul> * <li>Parameter 1: record number (first record is {@code 1}) ({@code Integer})</li> * </ul> */ V3_SIG_MALFORMED_DIGEST("Malformed APK Signature Scheme v3 digest record #%1$d"), /** * This APK Signature Scheme v3 signer contains a malformed additional attribute. * * <ul> * <li>Parameter 1: attribute number (first attribute is {@code 1}) {@code Integer})</li> * </ul> */ V3_SIG_MALFORMED_ADDITIONAL_ATTRIBUTE("Malformed additional attribute #%1$d"), /** * APK Signature Scheme v3 signature contains no signers. */ V3_SIG_NO_SIGNERS("No signers in APK Signature Scheme v3 signature"), /** * APK Signature Scheme v3 signature contains multiple signers (only one allowed per * platform version). */ V3_SIG_MULTIPLE_SIGNERS("Multiple APK Signature Scheme v3 signatures found for a single " + " platform version."), /** * APK Signature Scheme v3 signature found, but multiple v1 and/or multiple v2 signers * found, where only one may be used with APK Signature Scheme v3 */ V3_SIG_MULTIPLE_PAST_SIGNERS("Multiple signatures found for pre-v3 signing with an APK " + " Signature Scheme v3 signer. Only one allowed."), /** * APK Signature Scheme v3 signature found, but its signer doesn't match the v1/v2 signers, * or have them as the root of its signing certificate history */ V3_SIG_PAST_SIGNERS_MISMATCH( "v3 signer differs from v1/v2 signer without proper signing certificate lineage."), /** * This APK Signature Scheme v3 signer contains a signature produced using an unknown * algorithm. * * <ul> * <li>Parameter 1: algorithm ID ({@code Integer})</li> * </ul> */ V3_SIG_UNKNOWN_SIG_ALGORITHM("Unknown signature algorithm: %1$#x"), /** * This APK Signature Scheme v3 signer contains an unknown additional attribute. * * <ul> * <li>Parameter 1: attribute ID ({@code Integer})</li> * </ul> */ V3_SIG_UNKNOWN_ADDITIONAL_ATTRIBUTE("Unknown additional attribute: ID %1$#x"), /** * An exception was encountered while verifying APK Signature Scheme v3 signature of this * signer. * * <ul> * <li>Parameter 1: signature algorithm ({@link SignatureAlgorithm})</li> * <li>Parameter 2: exception ({@code Throwable})</li> * </ul> */ V3_SIG_VERIFY_EXCEPTION("Failed to verify %1$s signature: %2$s"), /** * The APK Signature Scheme v3 signer contained an invalid value for either min or max SDK * versions. * * <ul> * <li>Parameter 1: minSdkVersion ({@code Integer}) * <li>Parameter 2: maxSdkVersion ({@code Integer}) * </ul> */ V3_SIG_INVALID_SDK_VERSIONS("Invalid SDK Version parameter(s) encountered in APK Signature " + "scheme v3 signature: minSdkVersion %1$s maxSdkVersion: %2$s"), /** * APK Signature Scheme v3 signature over this signer's signed-data block did not verify. * * <ul> * <li>Parameter 1: signature algorithm ({@link SignatureAlgorithm})</li> * </ul> */ V3_SIG_DID_NOT_VERIFY("%1$s signature over signed-data did not verify"), /** * This APK Signature Scheme v3 signer offers no signatures. */ V3_SIG_NO_SIGNATURES("No signatures"), /** * This APK Signature Scheme v3 signer offers signatures but none of them are supported. */ V3_SIG_NO_SUPPORTED_SIGNATURES("No supported signatures"), /** * This APK Signature Scheme v3 signer offers no certificates. */ V3_SIG_NO_CERTIFICATES("No certificates"), /** * This APK Signature Scheme v3 signer's minSdkVersion listed in the signer's signed data * does not match the minSdkVersion listed in the signatures record. * * <ul> * <li>Parameter 1: minSdkVersion in signature record ({@code Integer}) </li> * <li>Parameter 2: minSdkVersion in signed data ({@code Integer}) </li> * </ul> */ V3_MIN_SDK_VERSION_MISMATCH_BETWEEN_SIGNER_AND_SIGNED_DATA_RECORD( "minSdkVersion mismatch between signed data and signature record:" + " <%1$s> vs <%2$s>"), /** * This APK Signature Scheme v3 signer's maxSdkVersion listed in the signer's signed data * does not match the maxSdkVersion listed in the signatures record. * * <ul> * <li>Parameter 1: maxSdkVersion in signature record ({@code Integer}) </li> * <li>Parameter 2: maxSdkVersion in signed data ({@code Integer}) </li> * </ul> */ V3_MAX_SDK_VERSION_MISMATCH_BETWEEN_SIGNER_AND_SIGNED_DATA_RECORD( "maxSdkVersion mismatch between signed data and signature record:" + " <%1$s> vs <%2$s>"), /** * This APK Signature Scheme v3 signer's public key listed in the signer's certificate does * not match the public key listed in the signatures record. * * <ul> * <li>Parameter 1: hex-encoded public key from certificate ({@code String})</li> * <li>Parameter 2: hex-encoded public key from signatures record ({@code String})</li> * </ul> */ V3_SIG_PUBLIC_KEY_MISMATCH_BETWEEN_CERTIFICATE_AND_SIGNATURES_RECORD( "Public key mismatch between certificate and signature record: <%1$s> vs <%2$s>"), /** * This APK Signature Scheme v3 signer's signature algorithms listed in the signatures * record do not match the signature algorithms listed in the signatures record. * * <ul> * <li>Parameter 1: signature algorithms from signatures record ({@code List<Integer>})</li> * <li>Parameter 2: signature algorithms from digests record ({@code List<Integer>})</li> * </ul> */ V3_SIG_SIG_ALG_MISMATCH_BETWEEN_SIGNATURES_AND_DIGESTS_RECORDS( "Signature algorithms mismatch between signatures and digests records" + ": %1$s vs %2$s"), /** * The APK's digest does not match the digest contained in the APK Signature Scheme v3 * signature. * * <ul> * <li>Parameter 1: content digest algorithm ({@link ContentDigestAlgorithm})</li> * <li>Parameter 2: hex-encoded expected digest of the APK ({@code String})</li> * <li>Parameter 3: hex-encoded actual digest of the APK ({@code String})</li> * </ul> */ V3_SIG_APK_DIGEST_DID_NOT_VERIFY( "APK integrity check failed. %1$s digest mismatch." + " Expected: <%2$s>, actual: <%3$s>"), /** * The signer's SigningCertificateLineage attribute containd a proof-of-rotation record with * signature(s) that did not verify. */ V3_SIG_POR_DID_NOT_VERIFY("SigningCertificateLineage attribute containd a proof-of-rotation" + " record with signature(s) that did not verify."), /** * Failed to parse the SigningCertificateLineage structure in the APK Signature Scheme v3 * signature's additional attributes section. */ V3_SIG_MALFORMED_LINEAGE("Failed to parse the SigningCertificateLineage structure in the " + "APK Signature Scheme v3 signature's additional attributes section."), /** * The APK's signing certificate does not match the terminal node in the provided * proof-of-rotation structure describing the signing certificate history */ V3_SIG_POR_CERT_MISMATCH( "APK signing certificate differs from the associated certificate found in the " + "signer's SigningCertificateLineage."), /** * The APK Signature Scheme v3 signers encountered do not offer a continuous set of * supported platform versions. Either they overlap, resulting in potentially two * acceptable signers for a platform version, or there are holes which would create problems * in the event of platform version upgrades. */ V3_INCONSISTENT_SDK_VERSIONS("APK Signature Scheme v3 signers supported min/max SDK " + "versions are not continuous."), /** * The APK Signature Scheme v3 signers don't cover all requested SDK versions. * * <ul> * <li>Parameter 1: minSdkVersion ({@code Integer}) * <li>Parameter 2: maxSdkVersion ({@code Integer}) * </ul> */ V3_MISSING_SDK_VERSIONS("APK Signature Scheme v3 signers supported min/max SDK " + "versions do not cover the entire desired range. Found min: %1$s max %2$s"), /** * The SigningCertificateLineages for different platform versions using APK Signature Scheme * v3 do not go together. Specifically, each should be a subset of another, with the size * of each increasing as the platform level increases. */ V3_INCONSISTENT_LINEAGES("SigningCertificateLineages targeting different platform versions" + " using APK Signature Scheme v3 are not all a part of the same overall lineage."), /** * APK Signing Block contains an unknown entry. * * <ul> * <li>Parameter 1: entry ID ({@code Integer})</li> * </ul> */ APK_SIG_BLOCK_UNKNOWN_ENTRY_ID("APK Signing Block contains unknown entry: ID %1$#x"); private final String mFormat; private Issue(String format) { mFormat = format; } /** * Returns the format string suitable for combining the parameters of this issue into a * readable string. See {@link java.util.Formatter} for format. */ private String getFormat() { return mFormat; } } /** * {@link Issue} with associated parameters. {@link #toString()} produces a readable formatted * form. */ public static class IssueWithParams { private final Issue mIssue; private final Object[] mParams; /** * Constructs a new {@code IssueWithParams} of the specified type and with provided * parameters. */ public IssueWithParams(Issue issue, Object[] params) { mIssue = issue; mParams = params; } /** * Returns the type of this issue. */ public Issue getIssue() { return mIssue; } /** * Returns the parameters of this issue. */ public Object[] getParams() { return mParams.clone(); } /** * Returns a readable form of this issue. */ @Override public String toString() { return String.format(mIssue.getFormat(), mParams); } } /** * Wrapped around {@code byte[]} which ensures that {@code equals} and {@code hashCode} operate * on the contents of the arrays rather than on references. */ private static class ByteArray { private final byte[] mArray; private final int mHashCode; private ByteArray(byte[] arr) { mArray = arr; mHashCode = Arrays.hashCode(mArray); } @Override public int hashCode() { return mHashCode; } @Override public boolean equals(Object obj) { if (this == obj) { return true; } if (obj == null) { return false; } if (getClass() != obj.getClass()) { return false; } ByteArray other = (ByteArray) obj; if (hashCode() != other.hashCode()) { return false; } if (!Arrays.equals(mArray, other.mArray)) { return false; } return true; } } /** * Builder of {@link ApkVerifier} instances. * * <p>The resulting verifier by default checks whether the APK will verify on all platform * versions supported by the APK, as specified by {@code android:minSdkVersion} attributes in * the APK's {@code AndroidManifest.xml}. The range of platform versions can be customized using * {@link #setMinCheckedPlatformVersion(int)} and {@link #setMaxCheckedPlatformVersion(int)}. */ public static class Builder { private final File mApkFile; private final DataSource mApkDataSource; private Integer mMinSdkVersion; private int mMaxSdkVersion = Integer.MAX_VALUE; /** * Constructs a new {@code Builder} for verifying the provided APK file. */ public Builder(File apk) { if (apk == null) { throw new NullPointerException("apk == null"); } mApkFile = apk; mApkDataSource = null; } /** * Constructs a new {@code Builder} for verifying the provided APK. */ public Builder(DataSource apk) { if (apk == null) { throw new NullPointerException("apk == null"); } mApkDataSource = apk; mApkFile = null; } /** * Sets the oldest Android platform version for which the APK is verified. APK verification * will confirm that the APK is expected to install successfully on all known Android * platforms starting from the platform version with the provided API Level. The upper end * of the platform versions range can be modified via * {@link #setMaxCheckedPlatformVersion(int)}. * * <p>This method is useful for overriding the default behavior which checks that the APK * will verify on all platform versions supported by the APK, as specified by * {@code android:minSdkVersion} attributes in the APK's {@code AndroidManifest.xml}. * * @param minSdkVersion API Level of the oldest platform for which to verify the APK * * @see #setMinCheckedPlatformVersion(int) */ public Builder setMinCheckedPlatformVersion(int minSdkVersion) { mMinSdkVersion = minSdkVersion; return this; } /** * Sets the newest Android platform version for which the APK is verified. APK verification * will confirm that the APK is expected to install successfully on all platform versions * supported by the APK up until and including the provided version. The lower end * of the platform versions range can be modified via * {@link #setMinCheckedPlatformVersion(int)}. * * @param maxSdkVersion API Level of the newest platform for which to verify the APK * * @see #setMinCheckedPlatformVersion(int) */ public Builder setMaxCheckedPlatformVersion(int maxSdkVersion) { mMaxSdkVersion = maxSdkVersion; return this; } /** * Returns an {@link ApkVerifier} initialized according to the configuration of this * builder. */ public ApkVerifier build() { return new ApkVerifier( mApkFile, mApkDataSource, mMinSdkVersion, mMaxSdkVersion); } } }
3e1e7dbba74e25bc3af495a4523eae7181602f84
19,788
java
Java
output/9314c7d14a724011a9133d828a1bd2ce.java
comprakt/comprakt-fuzz-tests
c0082d105d7c54ad31ab4ea461c3b8319358eaaa
[ "Apache-2.0", "MIT" ]
null
null
null
output/9314c7d14a724011a9133d828a1bd2ce.java
comprakt/comprakt-fuzz-tests
c0082d105d7c54ad31ab4ea461c3b8319358eaaa
[ "Apache-2.0", "MIT" ]
null
null
null
output/9314c7d14a724011a9133d828a1bd2ce.java
comprakt/comprakt-fuzz-tests
c0082d105d7c54ad31ab4ea461c3b8319358eaaa
[ "Apache-2.0", "MIT" ]
null
null
null
37.335849
231
0.488377
12,900
class A0rougTXctC { public int vpMCVl () { void[] LKmB23qH5bi2QS = true[ -this.Xcd]; true[ -( null.XLLNBm)._lCE5]; while ( gPB.M41()) ; ; return -42.PF4xxlU; return ( null.rqhvFiRpn).Evf0UwIh3HE7WK; return; H0RSfbXk KAw_UzHoo1 = this.GbghElgm() = 40539754.x; if ( false.T4FR()) while ( 4715547.edTRAgCSir15) while ( !-this[ true.UK()]) !-this.z; ; -false.u; ; ; ; } public static void d3CTd8SM (String[] d3OQK) { nwMjwqo5 _2Hhj = false.ianMJLu7H(); k4WjkUg0cV v = ( !683986747.lVyHWGrb16Zo()).RwP1KADO(); i[] iXJkl = ( new g50PVm()[ -new YERDDJilBf3O().m]).nHl(); void fgzQUmfq8nQ; boolean pcoAbm = z78DqHn_J()[ true.lCiJUW5W] = -x.sT(); int SPkmF0MXEUTz; ; } public void[][][][][][] sKscPMdc_Vh; } class O { public static void p0 (String[] _Eg) { void[][][] zcBvk7SY7OHWer; int[] dISN0O = -!true.spfOdoKu1GkL61(); int l5tEGDW; void[][] dWGrD6b; int[][] tUkcLx_Sg; ; ; while ( new void[ true.RiX][ ( !-!null[ new BO8EHw2wo().jRnMyCE])[ null.Q91llEltECey_]]) while ( 7.lCb9wz1()) ---!new vM_CWchmVj()[ -null.AXPNbKNJA]; ; } public void[][] G; public static void bLwoVi2k (String[] __LGW7) throws KiflqZx { while ( hi.GX2ST7CaUp1dS()) ; { int[] dH3VJv5U9N; boolean UbWuSbwePJtYc; int FMaPm7gRwA0; S8wESBEvr4N1[][][][][] jEwWZRUYX5Mbeo; ; void GoHbPCL2iH_k4l; NUYYTIv4Q1[] tqJNH3An6N; ; } int QAP4V; } public static void kRgW (String[] OAlZCrbNSI) { { if ( -!null[ new void[ new void[ null.Ll()].EF].heuxfdnYylH]) ; bHETXqj_Ndvzp[][] V; OIJkClU xUSYVscWJ; OaaZ3W2CrvF[] TEAvHMLcfH; int e7eP40ykmKS6; while ( UU.ufEqgfV()) { void[] T0OOxwSMoB; } ; while ( !!-new mqEVopGfa()[ !!--!-Scljaqr.K9iRYhLUMb6M()]) ( false.CdyiKrwSrtmD5E()).tShVVzgMN; ; } while ( !!-!this[ !!true[ p3Ibu4vzPvuC().XESzfSx9N()]]) 81.gvN6_kFEd(); if ( this.yo0G) while ( !false[ -null.FCOHAkq()]) !--null.GorJ;else ; BzZAcpnQ apSvKFbZc4DSzr = ( -!-!new UXCidTeH9O()[ new void[ -this[ false.YGLQnsixhY2Zy3()]].kpH()]).G7U6zdC() = -!!null.nAU(); boolean X99G9Olc7S4bF; boolean[][][][] TqZuIvhEj4ex = ZfFmSUMb.ED4kU(); void[][][][][] bQYOKT98; int zoRARn; void[][][][][] Ax6mdOIkLboTH; eIS49xuQVm Mnt01rirf = -07[ !--new int[ !!true[ ---!bC4[ jqOHwB()[ new void[ -this.r4um4q84f()][ false[ Y.jTAWymBShtTExk()]]]]]].K7vv]; return; while ( !this.kpNI) { --true.Vd6nsl84(); } void[][][][] frXwW = new boolean[ --null[ Oz4gBptFEcDt[ ChunNHr().UOUyaJL()]]].DbyfXMcaPs_fz4(); return; void RwcnXpz2 = new fooG3wTcL().me1dob_(); g0uY3[] H0L_a = -!!--M().FkzNPfVtER() = !-new tGtoQiD()[ -new LB[ YMHeN().p_bI5HG4z4()][ -!true.aKzcPzwokV12Gv]]; return !true[ null[ !!-null.nNv2OmKJ()]]; return; int R = -!true.U; } public i ms (boolean qNWp9njN5fU, F3HwZ8ts5eeVl qwH4SA, _2Y9I8[] mSb) throws Q8aDlpZrgsfCX { ; } public static void sXRf0Ut (String[] JhQPvn_pZ_4ql) throws IdkooQU { int RikU; boolean nvCgZ = !!-tFMXxAYg0S()[ this[ !--!-IUedAOM().f]] = -!-( !this.PALu4MrB()).tNDW5EB; } public boolean[] Olf6f (void Ht, int wT) { while ( this[ false.hricWc]) { while ( !-null.paVHE8D()) { boolean GCXO8JVEJxh78z; } } while ( 8.YviACsfR3j) { while ( -this[ null[ !!( new void[ this[ new int[ 61443[ !null.CK]][ !bEo0AL().WXZ()]]][ !!new ML()[ !null.oX()]]).VSYB5nwY]]) while ( true.VA5FtDa) ; } boolean IHx_RL = new okue9vM().iVmy() = -new AO4P8w5ZWfkb[ WUrSNI()[ rUb9ZM3().zNQg]][ true.yu()]; if ( eEx()[ -this.p2iRT1ZD45V()]) return;else return; int[][] gP = -( this.D8h).MDpGNhLABD8L8w; return; void[][] Lystp1PSx6k = ---!!this.C6mjhQjBsT369() = new RZKlwyNqT3R().bb(); if ( !null.kD3B4dqBOI()) if ( !-!!-( null.qgJSxP5t()).Jrcwnj0I1ld()) if ( new wL7hSqw().WZu()) while ( true.HaZKNss) new mywBTWgDcNrBKY()[ -!481309.hi3huajg7wgEbL];else if ( !-false.M__h41ww9vX1s()) return; int a7Wi0tF; GWWX[] VkY8 = pA5aw[ false.JGV()]; return -null[ !-new void[ -this.R87N()].WxiSqi]; if ( !hKbeN0.u()) ;else while ( ( -new BL8407().Ym3XGM3())[ -y0YZK.vHg0KWv()]) if ( ( !-this.POK()).FiLzIINk) { while ( 01.N2()) new boolean[ !11.hMnSU].Vf7Br6vXwUv3(); } 7579.BervDBvB2mK4(); int[] ld3RREiuGuVr = -oA_w5XOSx.Dy0c62OChvJE5(); boolean ubaeKpKE8rgj = !----null.JddYa = -22.cjSUndw; boolean qADqbn6on; int kSuow_Si; } public boolean b9B7M; public boolean[] YBAWIYXA (int PZz6dbp, P4yOe SsPR, boolean[] bQC1, void srI0bo7UIaSAT, void[][] tIqpFI8) { ; ; int XL1fxeGyH = ll9Rg9C.ENlRwRqw4X; void[][] RnvkaGVn0ZY; int jcp5C9iAd6ILV = bz().wqb2; void[] Rb6ilNvT8; ql7i4 ue8kIapQFD7x = false.khCp1igrqDS6 = 02724[ ( !new FqVbjtDjfAHTzm().naEMn).xFGVl2GLFYdK]; void[] vit_7FLxGw47; void OG4VcaERibm54X = this.YPVR2hk(); if ( -!---Dtxa66Miu()[ new boolean[ X0MjnnuKIFK5Y[ !false.wjwEO6gCm]].AX6kn2Mks7()]) eohaTJsS8OoF()[ -64263.AyBAPIFWVQk()]; int[][][] i910xg = new lTBpiTJHUPvE().ojXByPtPReQX; a47Wp8EENAK7U[][][] mfoE8sj703Wg = -!JJ2vfEXO()[ --!OBoV7e()[ --47004684.RK9IdzD]] = new ciI().axA8QQarPoQ7d(); { return; !true[ -NXZRL446().Vz]; boolean Qr; int[][][][] xMJr3brH2viKa; int[] tOZO; new boolean[ --!B.BUF3QA].HTv3KOyCu(); return; boolean KD; } { void[][] P8EbXknrw6O1HG; ; { ; } ; ; wZCDx VqJlHJ; int[] Fr5TC6; return; vJ8TRB ydL4pLTb6YD; { while ( ---!new int[ new eP4().m9Rtv9WmhE8Yh()].L) { return; } } int n5l; qKuQU5V3e49nJc[][][] G; { return; } int[] n5MMT4DNlGCya; } { Ic5VT Mi; ; boolean[][][] LgmhG9TYFs; return; boolean GTGKC5IZiKcr; if ( null.wLOl()) return; { return; } { if ( -!!-new r().Y) return; } void[][] G; true[ 2517305[ !-!( -!-!-!--!!true[ -wsY().VT]).e()]]; { boolean[] HJwa8a; } ; aih0TK9rxGEh_F Zkop; if ( -551778630.lS58()) if ( --!---true[ 561[ 6734.JUyjT2B0Mp()]]) if ( new int[ false.I()].iAm_h()) if ( ( !true.JBjj).J) -!!!null.IX; void yLTPpQ2KjH74; ; void[] LexxdlX1QYI77; } } public boolean[] MLY7N_E () { { void[][] t3aeP5aZRFF2; ; void Z28hj; ; int t; return; int[] VmFl; void No3l; if ( !--z3pZT().daWH()) { void h19sppE; } if ( -329431._G0i6Sh()) return; } ; void btrPIm_X6W2oXu = !lYVKLw()[ !new SLY8G().l2_wJeqLF45xf]; boolean[] TY = null[ !!new WFl2[ AG1M[ !a().jiTZ()]][ -true[ -null.ayPQO]]] = new void[ -lM1nYrp6y_1zf[ null.t1fFPJJxwC()]].zWmIVRpqP(); o37rafsJ7Y[][] PCty2F = -!ZeBe0IVIF()[ !new void[ -null.pDhMVkxRApBoj1].W1s()]; void kfVJm7NWryi; TqCpRYdMcHR Ux1VETSV; while ( -!new wzwbYAs4R9().m) Glf.UDtsCd; M2PHsE Rmw; int XaOg2bVwOs4VR; void kgJvh6UR; -!muu[ -false.oN64RH7]; o[][] IjaU2r8zrx; boolean h48nA = !( -false[ new boolean[ -!!--null.oRwErJ()]._TX7Ip])[ !!this.VcJK()] = new boolean[ -( this[ new void[ !-!C3afDsOMNsWa()[ -false.hoI_WpJ_()]].ZK05x9Jh0]).g_OWj][ -!new A5kcOFa[ -true.U380wXzX6p].TzeR4eBM]; tb2sA_eJU K97McuYb = new int[ -new X5().YZknPH][ !43343[ FP.bYmirBzAKb7d0L()]] = new zy()[ -R()[ !--false.OSW()]]; } public static void _gb (String[] ZhCT7OOKpG8B) { ; int[][][] sScmPKp049LL61 = !false.UPE2g6hIr8F() = --( null[ -!rl.rYik()])[ new xuv()[ -!Zhm.JZ]]; int sqeJ = !true[ null.RKvq_S] = new T[ !this.x__()][ true.kjyO()]; ; void[] m5nRF9roNOFNs = !!null.FALxUbr2Dh(); int[] PuzVDbRw; while ( false[ !this.pljn7VEalS()]) ; ; int kfdsFUDa1En; while ( wz7Gk2G()[ true.vHzScF5jh8()]) return; { uFMibeuj TLE3O1nb_R5Ir5; int[] HP27pu1bybu; int[][][][] zWhxYfjC; boolean mOsKwl5yJ; H8GbWxN Ss2M0ZP5iaQ; if ( null.ZrMZWi6SVY2u()) !-this.F6BlxYm; void[] f7sVLj; VvNMsX4Csas jCvLYQ3L_Lfs; return; { FWWS3UKKQQh1e LjHi8mxY_; } int vvja3CYG4yWfX; while ( false.JtO6xjSm74) ; return; ; void[] qCiAsZAl7; jA j0qay9x; } new ge_uwu62[ !new iTq78q().qNJfWBdnppP()].Jp2TF6pHmKQ; } public static void RUawdDOwHv (String[] MkDWOSl8FAAI) throws L_oB80HJ { new void[ !new int[ new void[ cr2().SOYWPitT].KjtGlFhZkcmg()].uwC5EVLofYYZV()][ Q0OHSqJ[ -this.OPO]]; void u8 = !false.kOROk0fLL7wjM() = ( 99879941[ !new VGCD3w_deNDIp().S]).OKmdx2R; if ( null.Znngms()) ; if ( -new L3hd6().jscGx6NtHpGvh0()) ; void l1LMjkJl0; u9PpgGGpHo5[][] EEEyEAPJs = --!!-232[ !!X().zlydbZ] = !!null.EUGVV6Wa05pIB; !-new int[ -false.o7d2Xo][ -!wd7QyTO06HPXB()[ new Lf70tI4H3b()[ new pvilamc74().ZCbCUN5sXr()]]]; return; int[][] b; !this.y9(); int DV = !-ExrhTHApTMKJT().LcbiObws8; ; ; int YPaZM2atsCuCQF = -new pNc5iUiQu()[ -!-IeCJxAC62E[ !XbmxJ8I()[ !--!!!null.UNiGbF()]]] = !new NW8().Q_Vc_9(); -!!48915[ new Hl_3eD()[ false.NwLaGKOPHLIuh3()]]; boolean[] a2R_uSJ = --!dRQHFZ4h4LH.Y1SONZIeGSn = !!null.B; ; { boolean MH5Z0s6; YSEI9bY[] E3a; void Fx; } } } class SN8 { } class sGf9LPT2Ya4 { public Bc_MRWX1H2C go2rOpA (YL[][][] YZohamOsD6db) { o1eGlhnh5v29[] aS = !!!4085[ this[ !new PfyN().Nxg1pmab4()]]; boolean[][][][][][][][][] FzN_2_QojOtT; void O5TXvpM; ; void[] KzeMrZXA; boolean yvnsrJ = !!PrOJuvj2BupbEH().bwYmTG1uTay; void[] S3c7UKeGBBUJY = !null.prZRKyThFi2CBg() = -false[ ---true.f_7R()]; boolean vw = cT2Nhf0jOUV.sMCA() = GN6sgfy()[ !-!!null[ new mXd99VD()[ null[ !this[ new int[ -!!PrSLef.FfwniU].Rnei8afaZ6]]]]]; { int[] LA; void[] fS; void t1NmWEI; -false.D4to0hq(); return; while ( !!37224511.bhrujQKjm_e) { int[][][] nltGtIe; } int nrqwc; return; ; if ( !true.bFAl8o()) { void PCm5aQaqEYgmJ; } void[] _P79hCvS3c; ; U8UDwWDBUK[] r_FJqGD3x3FN0R; } wOklAQ[] NJhw8xOUBb = ( --new cysPpUATGFDrR().A_oR0na273).qlzw; return true.JghjG6TSpD7EkR(); true.i; while ( ( !8.hBcwDYYn()).vI3()) while ( -( -Pmdjq9ViSI.ebQc5).f2sVwZNr) return; void aqvQPDOJ9 = -null.MWbEXj = PZQs_8BTutqz_.VW; } public static void A (String[] mF3iHrJjA) { AIDvF9iEIAoVh[][][] _sMxyQH_9iM; void eMYVKF9; In5TC5bYU tDM_98; int KNzMFoDxK3 = !d().bAj = !--43.wxgmAKMQHJGB; while ( -!!-false.pWEQ) if ( -new int[ -new iecJ[ -5021781.IRDKKXR8GFu08d()].l9UNlzYSWUyLe()][ false.rnrVnWWyLupEk9]) ; while ( -!null[ ( -mseYE[ new SVFk().VOVyd()]).RJZkV_v()]) return; t390_AyGRu_A_y[][] kdV8v1LvY9q; while ( FKv024fJpiEgYt().OYYI) { !!!mjsnrSbMK.d_qj4PYVRY9n(); } void[][][][][] Zl_mcy_ = !this[ !true.C()]; { return; h4KGoLhZNjO6a AJr; ; int Eu_; -421.NJDG3PyWxocEzU; vzh7Z1Vdn[] hqYxR; ; { if ( !true.y()) ; } while ( --!-!new jvTItzAz0Z1_M()[ Qfu().VhGe62sAtQ9y4V()]) ; boolean n76Zs30h; !!false.jgnS4el1a3A(); while ( null.DV()) ; Jd[][][] Jnhhgo9ga; boolean[][] TaMJ; { int[] Y_RidPhm; } !new P6De9[ true.yX].fZUD(); } int DokpScDCJifE6; int w5oOPKYor = !!new int[ ( --!-!ml()[ this[ true.Q87RqUFOH9tO()]]).bAS].K1OhSGO() = !---!new OzR().hXHt; return; return; q[] iu85ZaaL; ; } public static void yJGsiaR_ (String[] Tgolw) { void[] Fc5dwcmAnEX; int[] yIvtC6 = !-!89.AwlvUSFA1O5() = -false.IaIkHeYUQ3X(); } public static void cWDHZjA (String[] uaSMvX) throws b { if ( GtL().uw()) ;else ; if ( true.FrsS1fcCzSmXRs()) { boolean r8e; } { void Egzl; while ( -!Dd36M().gt4cichRUHZpp()) cOCd3BaAG.kOVJiPLJly_(); while ( G3A3bd36().XY4Y) if ( false.n2h2) return; int o4ZrFwd; boolean bDJ8H1D; void zXd_GWQ; Cs _JYenp1kSZ6P; boolean s_2EEvRNn; while ( !( -!1._jXGbgvpO2H1())[ true[ vTzQQ1Odf6GPN().xpk]]) if ( false.BI5o4hoHtMi) while ( this.iuFm_7d()) return; new wSTCq()[ stDEmkwaCmc7DA[ r[ !VXZkEgxVbY().aA7g6QXhsyR5wc()]]]; { int vGImM6CRJI; } DQQF1Sx41E[][] oOveXoaJ7KTWxH; } while ( !null.XtYOg6tGOQ()) return; if ( !null.Hmc2_8ovjx()) return;else if ( -this.m) while ( D().o7AxD3XE) if ( ---!-( !false.vKSoSYv2zRqiX())[ !new xNoh2yXNdv()[ new slLeR3_2cM[ Pkz.s9n].YxHRV]]) !!-!!-!true.cIWulyKVRIW(); while ( !!new DjfC2eEABgrt().NNASSlyiwB5) return; ; boolean sUx; { new R2b_()[ !u.Ol39wwJCAuyZ]; if ( this.S()) while ( !!!ZQ1_.f3X0vMy5()) ; } ; { if ( !8175[ this[ OcpsCnqJDiZq().Rjhm_a]]) while ( !false[ -!oSHfI.V1Z]) if ( new int[ new vzgn6wL().zu()][ -!!null._iES]) return; int[] i; IzwwdwixJ[][][][][][] J; if ( 0816943.y1zCAbrxCkaaN) ( true.gqpBq8XqF)[ !5663.zjgzBbEg]; if ( null[ this.iDlvrC()]) if ( !new void[ tlA3dP0b_KzZhx().w_xep].BNDMKbAe6M3q) ; void[] HlnraB3hs; boolean X3scrCdWkkH9V; if ( !-NrAuhAoznX.j6Uh8Ab) { LPF0anz1dR[][][] QSoD; } int[] r3Us1RHt; void[][] TfblB; boolean lZwCdWoFnKAuI; return; { true[ this[ new WQG1xiFdiR6().svb()]]; } boolean[][][][][][][][] BU; d_Ma[] T8jKuuBa31d0; ; void TzoRIU; int Vpgp; while ( --!!13671364[ !92829[ new _()[ true.t_n0()]]]) this.bWwCJ68JO(); X2ba3yac TF_DZU0; } ; void V6d1Wlen5V = c62Y.uup1rfpX() = -_n8js1O5dYE().nJ0(); } public static void HGAmsvMjIVV (String[] cKii) throws kUK { ; bliaJ_IwbgkbNn ECC = -!new TFt().xc4() = false[ -Ftq_55ia6Reor().YUZ8x_0wBMN()]; boolean xhEqj2X; Fmxk JtI1WRcTw9; boolean A = false[ this[ null.oj3Nizhj]]; void[][][][] CfVk = -!-505654578[ --( J7Uk62e4.kXu8DPDqvmtc35).wJia_]; } public static void CWcDqyb (String[] uZd) throws PP { void VWpEtloKw = -!true.qm; if ( new ROJXdOVjM()[ --1170356.ZfBhTPRU9h]) this.u;else esm().r; while ( !null.d3hjcF) if ( -!--null[ 7.c5kZHC()]) return; void[] Rc3I = new dy().tWOgItUEJ = !!( utTYBaa().Yvr5PeYZdTdk()).wXEzUy(); if ( -BUCo.mZ) if ( -!this[ ( !--null.W8jHB9p_fPH)[ MK1SA0KAz[ !oYJ.tFpCkK()]]]) while ( MRaCffSX7iJB()[ ---!!true.IlepnQUvO]) ; while ( !0[ !mVUND1YoSMjG_T[ -new jD[ null[ W()[ -null.EGOlaZ]]].kImjz]]) { -this.uEbtpIfXZ4u1; } if ( new SrRELgaz()._VXCleZT3La()) return;else return; int lEBfgBY_yjyds = !true[ !Y[ -Z().OYWzl6l7B4eX]] = false[ zRyMo_Z1Nt7.eLKjy()]; int E_2SdKTUXpkqw = new VRh22S().ikVdDrfk2j() = !z5()[ -!!7.Po1LtGNUE]; ; return; } public static void T7V52Prj (String[] _MmfqqJll) throws OFy9 { !( new hAloA8JZ[ !M1GR[ -II8ugZPYSta().hA()]].q).T57hREk; while ( 43699.so1x()) if ( true.I2Toi) -new int[ whvVq0()._YBE()].sQJ; { RQLsvD B; int oVIn0VnO; } void[] dxpS8YXP1Z4Plo = true[ ( true.j9nRgO9in3i).aVBAs39BE]; return Mj[ -null[ new void[ -this.Ip0n()].XLjOElWifAfdh]]; !new zgJe8().uQs8hWhw; return this[ false.fyz()]; while ( -null.TK) while ( new GqUvb31_uW().Mjf()) if ( !!!gTOKu_.E) return; wS MU1zuYk3ubcVk; return; int sQtMvt; false[ -629[ 99512.CmyOyzl]]; boolean[] Zt4T7dj; boolean[][][] zuAePA = new int[ new mZBpvhGn9bNADf().Y].HeVycgirX2NaNx; int Oqmp; ekZ9ChX0e6yu CZ8GlaXEfDbYP; ; l_CVYsq[][] Nj9EVR = py5oll.o = -this.o7i8eacITe(); true[ -false.syet2kCPcP]; } public mrYDrBAH[][][][] y; public int RUzWh () { void[][][] E6Q6h8H0KMr; K4tcUGXIx[][] gtK867T; } public static void o__CMEdMpud (String[] HA) { boolean ocI; } public static void duU (String[] IXgZ09olyZLP) throws VkdZ2X_ZB_ { int[] GAC; return -!false.PIq3nW3krI; while ( t07F46o004yCR.i0TkQVqUl4Zgj()) null.R(); return !--!xT2nEHW().tKDc; { r7jcL6OG7ObOc jS61uu00wWcuf; void[][][] JHkUcWOT2rKI; int[][] D2NK5wIXv_; while ( --328119.EKENCHb()) { p1vFnSy kDP7_UNC; } if ( this[ g_hi()[ true[ QD1EuH()[ !-!true.i_pF3yr0vmA]]]]) { boolean[][][][] O; } int SBlNna_Pg0n; boolean rToKc; void[] Ay3U2F7ZiXPi; { if ( tEvwx().Ag0KtY6c7mo) return; } void Q90; boolean KHH3sNcv9w1o; if ( -new aa0znyTK2o().u8()) { ; } int xsMw; return; } ; if ( !false[ false.ilu6BvNnBQMNCt]) -true[ null[ !true.SBvXP]]; boolean[][] kQhD_vw; int[] bwOH96pj6Qnmh; ; boolean[][] Yzc; void[] _eNvH13Lm; int[][] P4vL; ; void[][][][] CD6 = !null[ !!!-( true.qq5zv1XcT()).zYtKzfGN] = false[ !!-false.zi2islr()]; void cGKvdQH_xxFyzD = --!!---025555424[ !!new EHgCd().DNE39csbN]; } }
3e1e7df9436cae11aa4102df7325ead8d94ff75a
10,847
java
Java
fe/src/main/java/org/apache/impala/common/JniUtil.java
ColdZoo/impala
300398e90ace6aa2ca64adff529a859d67ee8588
[ "Apache-2.0" ]
1,523
2015-01-01T03:42:24.000Z
2022-02-06T22:24:04.000Z
fe/src/main/java/org/apache/impala/common/JniUtil.java
ColdZoo/impala
300398e90ace6aa2ca64adff529a859d67ee8588
[ "Apache-2.0" ]
10
2015-01-09T06:46:05.000Z
2022-03-29T21:57:57.000Z
fe/src/main/java/org/apache/impala/common/JniUtil.java
ColdZoo/impala
300398e90ace6aa2ca64adff529a859d67ee8588
[ "Apache-2.0" ]
647
2015-01-02T04:01:40.000Z
2022-03-30T15:57:35.000Z
38.601423
88
0.73624
12,901
// Licensed to the Apache Software Foundation (ASF) under one // or more contributor license agreements. See the NOTICE file // distributed with this work for additional information // regarding copyright ownership. The ASF licenses this file // to you under the Apache License, Version 2.0 (the // "License"); you may not use this file except in compliance // with the License. You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, // software distributed under the License is distributed on an // "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY // KIND, either express or implied. See the License for the // specific language governing permissions and limitations // under the License. package org.apache.impala.common; import java.io.PrintWriter; import java.io.StringWriter; import java.io.Writer; import java.lang.management.GarbageCollectorMXBean; import java.lang.management.ManagementFactory; import java.lang.management.MemoryMXBean; import java.lang.management.MemoryPoolMXBean; import java.lang.management.MemoryUsage; import java.lang.management.RuntimeMXBean; import java.lang.management.ThreadMXBean; import java.lang.management.ThreadInfo; import java.util.ArrayList; import java.util.Map; import org.apache.impala.thrift.TGetJMXJsonResponse; import org.apache.impala.util.JMXJsonUtil; import org.apache.thrift.TBase; import org.apache.thrift.TSerializer; import org.apache.thrift.TDeserializer; import org.apache.thrift.TException; import org.apache.thrift.protocol.TBinaryProtocol; import org.apache.thrift.protocol.TProtocolFactory; import com.google.common.base.Joiner; import org.apache.impala.thrift.TGetJvmMemoryMetricsResponse; import org.apache.impala.thrift.TGetJvmThreadsInfoRequest; import org.apache.impala.thrift.TGetJvmThreadsInfoResponse; import org.apache.impala.thrift.TJvmMemoryPool; import org.apache.impala.thrift.TJvmThreadInfo; import org.apache.impala.util.JvmPauseMonitor; import org.apache.log4j.Logger; /** * Utility class with methods intended for JNI clients */ public class JniUtil { private final static TBinaryProtocol.Factory protocolFactory_ = new TBinaryProtocol.Factory(); private static final Logger LOG = Logger.getLogger(JniUtil.class); /** * Initializes the JvmPauseMonitor instance. */ public static void initPauseMonitor(long deadlockCheckIntervalS) { JvmPauseMonitor.INSTANCE.initPauseMonitor(deadlockCheckIntervalS); } /** * Returns a formatted string containing the simple exception name and the * exception message without the full stack trace. Includes the * the chain of causes each in a separate line. */ public static String throwableToString(Throwable t) { StringWriter output = new StringWriter(); output.write(String.format("%s: %s", t.getClass().getSimpleName(), t.getMessage())); // Follow the chain of exception causes and print them as well. Throwable cause = t; while ((cause = cause.getCause()) != null) { output.write(String.format("\nCAUSED BY: %s: %s", cause.getClass().getSimpleName(), cause.getMessage())); } return output.toString(); } /** * Returns the stack trace of the Throwable object. */ public static String throwableToStackTrace(Throwable t) { Writer output = new StringWriter(); t.printStackTrace(new PrintWriter(output)); return output.toString(); } /** * Serializes input into a byte[] using the default protocol factory. */ public static <T extends TBase<?, ?>> byte[] serializeToThrift(T input) throws ImpalaException { TSerializer serializer = new TSerializer(protocolFactory_); try { return serializer.serialize(input); } catch (TException e) { throw new InternalException(e.getMessage()); } } /** * Serializes input into a byte[] using a given protocol factory. */ public static <T extends TBase<?, ?>, F extends TProtocolFactory> byte[] serializeToThrift(T input, F protocolFactory) throws ImpalaException { TSerializer serializer = new TSerializer(protocolFactory); try { return serializer.serialize(input); } catch (TException e) { throw new InternalException(e.getMessage()); } } public static <T extends TBase<?, ?>> void deserializeThrift(T result, byte[] thriftData) throws ImpalaException { deserializeThrift(protocolFactory_, result, thriftData); } /** * Deserialize a serialized form of a Thrift data structure to its object form. */ public static <T extends TBase<?, ?>, F extends TProtocolFactory> void deserializeThrift(F protocolFactory, T result, byte[] thriftData) throws ImpalaException { // TODO: avoid creating deserializer for each query? TDeserializer deserializer = new TDeserializer(protocolFactory); try { deserializer.deserialize(result, thriftData); } catch (TException e) { throw new InternalException(e.getMessage()); } } /** * Collect the JVM's memory statistics into a thrift structure for translation into * Impala metrics by the backend. A synthetic 'total' memory pool is included with * aggregate statistics for all real pools. Metrics for the JvmPauseMonitor * and Garbage Collection are also included. */ public static byte[] getJvmMemoryMetrics() throws ImpalaException { TGetJvmMemoryMetricsResponse jvmMetrics = new TGetJvmMemoryMetricsResponse(); jvmMetrics.setMemory_pools(new ArrayList<TJvmMemoryPool>()); TJvmMemoryPool totalUsage = new TJvmMemoryPool(); totalUsage.setName("total"); jvmMetrics.getMemory_pools().add(totalUsage); for (MemoryPoolMXBean memBean: ManagementFactory.getMemoryPoolMXBeans()) { TJvmMemoryPool usage = new TJvmMemoryPool(); MemoryUsage beanUsage = memBean.getUsage(); usage.setCommitted(beanUsage.getCommitted()); usage.setInit(beanUsage.getInit()); usage.setMax(beanUsage.getMax()); usage.setUsed(beanUsage.getUsed()); usage.setName(memBean.getName()); totalUsage.committed += beanUsage.getCommitted(); totalUsage.init += beanUsage.getInit(); totalUsage.max += beanUsage.getMax(); totalUsage.used += beanUsage.getUsed(); MemoryUsage peakUsage = memBean.getPeakUsage(); usage.setPeak_committed(peakUsage.getCommitted()); usage.setPeak_init(peakUsage.getInit()); usage.setPeak_max(peakUsage.getMax()); usage.setPeak_used(peakUsage.getUsed()); totalUsage.peak_committed += peakUsage.getCommitted(); totalUsage.peak_init += peakUsage.getInit(); totalUsage.peak_max += peakUsage.getMax(); totalUsage.peak_used += peakUsage.getUsed(); jvmMetrics.getMemory_pools().add(usage); } // Populate heap usage MemoryMXBean mBean = ManagementFactory.getMemoryMXBean(); TJvmMemoryPool heap = new TJvmMemoryPool(); MemoryUsage heapUsage = mBean.getHeapMemoryUsage(); heap.setCommitted(heapUsage.getCommitted()); heap.setInit(heapUsage.getInit()); heap.setMax(heapUsage.getMax()); heap.setUsed(heapUsage.getUsed()); heap.setName("heap"); heap.setPeak_committed(0); heap.setPeak_init(0); heap.setPeak_max(0); heap.setPeak_used(0); jvmMetrics.getMemory_pools().add(heap); // Populate non-heap usage TJvmMemoryPool nonHeap = new TJvmMemoryPool(); MemoryUsage nonHeapUsage = mBean.getNonHeapMemoryUsage(); nonHeap.setCommitted(nonHeapUsage.getCommitted()); nonHeap.setInit(nonHeapUsage.getInit()); nonHeap.setMax(nonHeapUsage.getMax()); nonHeap.setUsed(nonHeapUsage.getUsed()); nonHeap.setName("non-heap"); nonHeap.setPeak_committed(0); nonHeap.setPeak_init(0); nonHeap.setPeak_max(0); nonHeap.setPeak_used(0); jvmMetrics.getMemory_pools().add(nonHeap); // Populate JvmPauseMonitor metrics jvmMetrics.setGc_num_warn_threshold_exceeded( JvmPauseMonitor.INSTANCE.getNumGcWarnThresholdExceeded()); jvmMetrics.setGc_num_info_threshold_exceeded( JvmPauseMonitor.INSTANCE.getNumGcInfoThresholdExceeded()); jvmMetrics.setGc_total_extra_sleep_time_millis( JvmPauseMonitor.INSTANCE.getTotalGcExtraSleepTime()); // And Garbage Collector metrics long gcCount = 0; long gcTimeMillis = 0; for (GarbageCollectorMXBean bean : ManagementFactory.getGarbageCollectorMXBeans()) { gcCount += bean.getCollectionCount(); gcTimeMillis += bean.getCollectionTime(); } jvmMetrics.setGc_count(gcCount); jvmMetrics.setGc_time_millis(gcTimeMillis); return serializeToThrift(jvmMetrics, protocolFactory_); } /** * Get information about the live JVM threads. */ public static byte[] getJvmThreadsInfo(byte[] argument) throws ImpalaException { TGetJvmThreadsInfoRequest request = new TGetJvmThreadsInfoRequest(); JniUtil.deserializeThrift(protocolFactory_, request, argument); TGetJvmThreadsInfoResponse response = new TGetJvmThreadsInfoResponse(); ThreadMXBean threadBean = ManagementFactory.getThreadMXBean(); response.setTotal_thread_count(threadBean.getThreadCount()); response.setDaemon_thread_count(threadBean.getDaemonThreadCount()); response.setPeak_thread_count(threadBean.getPeakThreadCount()); if (request.get_complete_info) { for (ThreadInfo threadInfo: threadBean.dumpAllThreads(true, true)) { TJvmThreadInfo tThreadInfo = new TJvmThreadInfo(); long id = threadInfo.getThreadId(); tThreadInfo.setSummary(threadInfo.toString()); tThreadInfo.setCpu_time_in_ns(threadBean.getThreadCpuTime(id)); tThreadInfo.setUser_time_in_ns(threadBean.getThreadUserTime(id)); tThreadInfo.setBlocked_count(threadInfo.getBlockedCount()); tThreadInfo.setBlocked_time_in_ms(threadInfo.getBlockedTime()); tThreadInfo.setIs_in_native(threadInfo.isInNative()); response.addToThreads(tThreadInfo); } } return serializeToThrift(response, protocolFactory_); } public static byte[] getJMXJson() throws ImpalaException { TGetJMXJsonResponse response = new TGetJMXJsonResponse(JMXJsonUtil.getJMXJson()); return serializeToThrift(response, protocolFactory_); } /** * Get Java version, input arguments and system properties. */ public static String getJavaVersion() { RuntimeMXBean runtime = ManagementFactory.getRuntimeMXBean(); StringBuilder sb = new StringBuilder(); sb.append("Java Input arguments:\n"); sb.append(Joiner.on(" ").join(runtime.getInputArguments())); sb.append("\nJava System properties:\n"); for (Map.Entry<String, String> entry: runtime.getSystemProperties().entrySet()) { sb.append(entry.getKey() + ":" + entry.getValue() + "\n"); } return sb.toString(); } }
3e1e7e7bb3e678639ab9b7609e9c1444d67fa4bf
1,473
java
Java
ZimbraSoap/src/java/com/zimbra/soap/admin/message/CreateServerResponse.java
fciubotaru/z-pec
82335600341c6fb1bb8a471fd751243a90bc4d57
[ "MIT" ]
5
2019-03-26T07:51:56.000Z
2021-08-30T07:26:05.000Z
ZimbraSoap/src/java/com/zimbra/soap/admin/message/CreateServerResponse.java
fciubotaru/z-pec
82335600341c6fb1bb8a471fd751243a90bc4d57
[ "MIT" ]
1
2015-08-18T19:03:32.000Z
2015-08-18T19:03:32.000Z
ZimbraSoap/src/java/com/zimbra/soap/admin/message/CreateServerResponse.java
fciubotaru/z-pec
82335600341c6fb1bb8a471fd751243a90bc4d57
[ "MIT" ]
13
2015-03-11T00:26:35.000Z
2020-07-26T16:25:18.000Z
29.46
75
0.734555
12,902
/* * ***** BEGIN LICENSE BLOCK ***** * Zimbra Collaboration Suite Server * Copyright (C) 2010 Zimbra, Inc. * * The contents of this file are subject to the Zimbra Public License * Version 1.3 ("License"); you may not use this file except in * compliance with the License. You may obtain a copy of the License at * http://www.zimbra.com/license. * * Software distributed under the License is distributed on an "AS IS" * basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. * ***** END LICENSE BLOCK ***** */ package com.zimbra.soap.admin.message; import javax.xml.bind.annotation.XmlAccessType; import javax.xml.bind.annotation.XmlAccessorType; import javax.xml.bind.annotation.XmlAttribute; import javax.xml.bind.annotation.XmlElement; import javax.xml.bind.annotation.XmlRootElement; import javax.xml.bind.annotation.XmlType; import com.zimbra.common.soap.AdminConstants; import com.zimbra.soap.admin.type.ServerInfo; @XmlAccessorType(XmlAccessType.NONE) @XmlRootElement(name=AdminConstants.E_CREATE_SERVER_RESPONSE) @XmlType(propOrder = {}) public class CreateServerResponse { /** * @zm-api-field-description Information about the newly created server */ @XmlElement(name=AdminConstants.E_SERVER) private ServerInfo server; public CreateServerResponse() { } public void setServer(ServerInfo server) { this.server = server; } public ServerInfo getServer() { return server; } }
3e1e7f0e20b8fcae98a3b3495d84109d383d7beb
721
java
Java
app/controllers/RecommendController.java
yoyoyousei/MusicRecommender
21860f07b635c664e28376dc66db924884c22200
[ "Apache-2.0" ]
1
2016-02-22T23:17:36.000Z
2016-02-22T23:17:36.000Z
app/controllers/RecommendController.java
SoichiSumi/MusicRecommender
21860f07b635c664e28376dc66db924884c22200
[ "Apache-2.0" ]
null
null
null
app/controllers/RecommendController.java
SoichiSumi/MusicRecommender
21860f07b635c664e28376dc66db924884c22200
[ "Apache-2.0" ]
null
null
null
26.703704
66
0.742025
12,903
package controllers; import com.fasterxml.jackson.databind.JsonNode; import com.fasterxml.jackson.databind.ObjectMapper; import models.Account; import play.mvc.Controller; import play.mvc.Result; import util.recommend.MusicRecommender; import util.recommend.SimpleRecommender; import util.recommend.MockRecommender; public class RecommendController extends Controller { public MusicRecommender recommender = new SimpleRecommender(); public Result recommend(Long id) { Account user = Account.find.byId(id); if(user == null){ return badRequest(); } ObjectMapper om = new ObjectMapper(); JsonNode n = om.valueToTree(recommender.recommend(user)); return ok(n); } }
3e1e7f21dd331ede01733157d245b7d514218bcf
2,510
java
Java
src/main/java/com/bergerkiller/generated/net/minecraft/server/EnumMoveTypeHandle.java
Andre601/BKCommonLib
31f4ddf0da60fa08f8ae1897f170e0931c025286
[ "Unlicense" ]
null
null
null
src/main/java/com/bergerkiller/generated/net/minecraft/server/EnumMoveTypeHandle.java
Andre601/BKCommonLib
31f4ddf0da60fa08f8ae1897f170e0931c025286
[ "Unlicense" ]
null
null
null
src/main/java/com/bergerkiller/generated/net/minecraft/server/EnumMoveTypeHandle.java
Andre601/BKCommonLib
31f4ddf0da60fa08f8ae1897f170e0931c025286
[ "Unlicense" ]
null
null
null
55.777778
190
0.724303
12,904
package com.bergerkiller.generated.net.minecraft.server; import com.bergerkiller.mountiplex.reflection.util.StaticInitHelper; import com.bergerkiller.mountiplex.reflection.declarations.Template; /** * Instance wrapper handle for type <b>net.minecraft.server.EnumMoveType</b>. * To access members without creating a handle type, use the static {@link #T} member. * New handles can be created from raw instances using {@link #createHandle(Object)}. */ @Template.Optional public abstract class EnumMoveTypeHandle extends Template.Handle { /** @See {@link EnumMoveTypeClass} */ public static final EnumMoveTypeClass T = new EnumMoveTypeClass(); static final StaticInitHelper _init_helper = new StaticInitHelper(EnumMoveTypeHandle.class, "net.minecraft.server.EnumMoveType", com.bergerkiller.bukkit.common.Common.TEMPLATE_RESOLVER); public static final EnumMoveTypeHandle SELF = T.SELF.getSafe(); public static final EnumMoveTypeHandle PLAYER = T.PLAYER.getSafe(); public static final EnumMoveTypeHandle PISTON = T.PISTON.getSafe(); public static final EnumMoveTypeHandle SHULKER_BOX = T.SHULKER_BOX.getSafe(); public static final EnumMoveTypeHandle SHULKER = T.SHULKER.getSafe(); /* ============================================================================== */ public static EnumMoveTypeHandle createHandle(Object handleInstance) { return T.createHandle(handleInstance); } /* ============================================================================== */ /** * Stores class members for <b>net.minecraft.server.EnumMoveType</b>. * Methods, fields, and constructors can be used without using Handle Objects. */ public static final class EnumMoveTypeClass extends Template.Class<EnumMoveTypeHandle> { public final Template.EnumConstant.Converted<EnumMoveTypeHandle> SELF = new Template.EnumConstant.Converted<EnumMoveTypeHandle>(); public final Template.EnumConstant.Converted<EnumMoveTypeHandle> PLAYER = new Template.EnumConstant.Converted<EnumMoveTypeHandle>(); public final Template.EnumConstant.Converted<EnumMoveTypeHandle> PISTON = new Template.EnumConstant.Converted<EnumMoveTypeHandle>(); public final Template.EnumConstant.Converted<EnumMoveTypeHandle> SHULKER_BOX = new Template.EnumConstant.Converted<EnumMoveTypeHandle>(); public final Template.EnumConstant.Converted<EnumMoveTypeHandle> SHULKER = new Template.EnumConstant.Converted<EnumMoveTypeHandle>(); } }
3e1e7f4693e1f1167cfa4d4f18d5f65dcd19379c
23,112
java
Java
src/test/java/uk/ac/sussex/gdsc/smlm/filters/FilterSpeedTest.java
aherbert/gdsc-smlm
193431b9ba2c6e6a2b901c7c3697039aaa00be8c
[ "BSL-1.0" ]
8
2018-12-07T00:40:44.000Z
2020-07-27T14:10:44.000Z
src/test/java/uk/ac/sussex/gdsc/smlm/filters/FilterSpeedTest.java
aherbert/gdsc-smlm
193431b9ba2c6e6a2b901c7c3697039aaa00be8c
[ "BSL-1.0" ]
3
2020-11-17T18:01:09.000Z
2021-05-18T19:10:34.000Z
src/test/java/uk/ac/sussex/gdsc/smlm/filters/FilterSpeedTest.java
aherbert/gdsc-smlm
193431b9ba2c6e6a2b901c7c3697039aaa00be8c
[ "BSL-1.0" ]
2
2019-08-13T06:16:24.000Z
2020-01-29T21:23:10.000Z
37.337641
100
0.607953
12,905
/*- * #%L * Genome Damage and Stability Centre SMLM ImageJ Plugins * * Software for single molecule localisation microscopy (SMLM) * %% * Copyright (C) 2011 - 2020 Alex Herbert * %% * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as * published by the Free Software Foundation, either version 3 of the * License, or (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public * License along with this program. If not, see * <http://www.gnu.org/licenses/gpl-3.0.html>. * #L% */ package uk.ac.sussex.gdsc.smlm.filters; import java.util.ArrayList; import org.junit.jupiter.api.Assumptions; import uk.ac.sussex.gdsc.test.junit5.RandomSeed; import uk.ac.sussex.gdsc.test.junit5.SeededTest; import uk.ac.sussex.gdsc.test.junit5.SpeedTag; import uk.ac.sussex.gdsc.test.utils.TestComplexity; import uk.ac.sussex.gdsc.test.utils.TestLogUtils; import uk.ac.sussex.gdsc.test.utils.TestSettings; @SuppressWarnings({"javadoc"}) class FilterSpeedTest extends AbstractFilterTest { @SpeedTag @SeededTest public void floatRollingBlockSumNxNInternalIsFasterThanRollingBlockMeanNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final BlockSumFilter filter = new BlockSumFilter(); final BlockMeanFilter filter2 = new BlockMeanFilter(); final int iter = 50; final ArrayList<float[]> dataSet = getSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise filter.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); filter2.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "float rollingBlockMeanNxNInternal [%dx%d] @ %d : %d => " + "rollingBlockSumNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float rollingBlockMeanNxNInternal " + boxSize, boxSlowTotal, "rollingBlockSumNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float rollingBlockMeanNxNInternal", slowTotal, "rollingBlockSumNxNInternal", fastTotal)); } @SpeedTag @SeededTest void floatRollingBlockMeanNxNInternalIsFasterThanBlockMedianNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final BlockMeanFilter filter1 = new BlockMeanFilter(); final MedianFilter filter2 = new MedianFilter(); final int iter = 10; final ArrayList<float[]> dataSet = getSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise filter1.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); filter2.blockMedianNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter1.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.blockMedianNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "float blockMedianNxNInternal [%dx%d] @ %d : %d => " + "rollingBlockMeanNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float blockMedianNxNInternal " + boxSize, boxSlowTotal, "rollingBlockMeanNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float blockMedianNxNInternal", slowTotal, "rollingBlockMeanNxNInternal", fastTotal)); } @SpeedTag @SeededTest public void floatRollingBlockMeanNxNInternalIsFasterThanRollingMedianNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final BlockMeanFilter filter1 = new BlockMeanFilter(); final MedianFilter filter2 = new MedianFilter(); final int iter = 10; final ArrayList<float[]> dataSet = getSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise filter1.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); filter2.rollingMedianNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter1.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.rollingMedianNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "float rollingMedianNxNInternal [%dx%d] @ %d : %d => " + "rollingBlockMeanNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float rollingMedianNxNInternal " + boxSize, boxSlowTotal, "rollingBlockMeanNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float rollingMedianNxNInternal", slowTotal, "rollingBlockMeanNxNInternal", fastTotal)); } @SpeedTag @SeededTest void floatRollingBlockMeanNxNInternalIsFasterThanGaussianNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final BlockMeanFilter filter1 = new BlockMeanFilter(); final GaussianFilter filter2 = new GaussianFilter(); final int iter = 10; final ArrayList<float[]> dataSet = getSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise filter1.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); filter2.convolveInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0] / 3.0); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter1.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.convolveInternal(data, width, height, boxSize / 3.0); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "float convolveInternal [%dx%d] @ %d : %d => " + "rollingBlockMeanNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float convolveInternal " + boxSize, boxSlowTotal, "rollingBlockMeanNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float convolveInternal", slowTotal, "rollingBlockMeanNxNInternal", fastTotal)); } @SpeedTag @SeededTest void floatRollingBlockMeanNxNInternalIsFasterThanAreaFilterNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final BlockMeanFilter filter1 = new BlockMeanFilter(); final AreaAverageFilter filter2 = new AreaAverageFilter(); final int iter = 10; final ArrayList<float[]> dataSet = getSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise // filter1.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], // boxSizes[0]); // filter2.areaFilterInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0] - // 0.05); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } // Initialise for (final float[] data : dataSet2) { filter1.rollingBlockFilterNxNInternal(data.clone(), width, height, boxSize); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter1.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } // Initialise for (final float[] data : dataSet2) { filter2.areaAverageUsingAveragesInternal(data.clone(), width, height, boxSize - 0.05); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.areaAverageUsingAveragesInternal(data, width, height, boxSize - 0.05); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "float areaFilterInternal [%dx%d] @ %d : %d => " + "rollingBlockMeanNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float areaFilterInternal " + boxSize, boxSlowTotal, "rollingBlockMeanNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float areaFilterInternal", slowTotal, "rollingBlockMeanNxNInternal", fastTotal)); } @SpeedTag @SeededTest void floatStripedBlockMeanNxNInternalIsFasterThanAreaFilterNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final BlockMeanFilter filter1 = new BlockMeanFilter(); final AreaAverageFilter filter2 = new AreaAverageFilter(); final int iter = 10; final ArrayList<float[]> dataSet = getSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise // filter1.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], // boxSizes[0]); // filter2.areaFilterInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0] - // 0.05); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } // Initialise final float w = (float) (boxSize - 0.05); for (final float[] data : dataSet2) { filter1.stripedBlockFilterNxNInternal(data.clone(), width, height, w); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter1.stripedBlockFilterNxNInternal(data, width, height, w); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final float[] data : dataSet) { dataSet2.add(floatClone(data)); } // Initialise for (final float[] data : dataSet2) { filter2.areaAverageUsingAveragesInternal(data.clone(), width, height, boxSize - 0.05); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.areaAverageUsingAveragesInternal(data, width, height, boxSize - 0.05); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "float areaFilterInternal [%dx%d] @ %d : %d => " + "stripedBlockMeanNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float areaFilterInternal " + boxSize, boxSlowTotal, "stripedBlockMeanNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float areaFilterInternal", slowTotal, "stripedBlockMeanNxNInternal", fastTotal)); } @SuppressWarnings("deprecation") @SpeedTag @SeededTest public void floatRollingBlockSumNxNInternalIsFasterThanIntRollingBlockSumNxNInternal(RandomSeed seed) { Assumptions.assumeTrue(TestSettings.allow(TestComplexity.MEDIUM)); final SumFilter filter = new SumFilter(); final BlockSumFilter filter2 = new BlockSumFilter(); final int iter = 50; final ArrayList<int[]> dataSet = getIntSpeedData(seed, iter); final ArrayList<Long> fastTimes = new ArrayList<>(); // Initialise filter.rollingBlockSumNxNInternal(intClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); filter2.rollingBlockFilterNxNInternal(floatClone(dataSet.get(0)), primes[0], primes[0], boxSizes[0]); for (final int boxSize : boxSizes) { for (final int width : primes) { for (final int height : primes) { final ArrayList<float[]> dataSet2 = new ArrayList<>(iter); for (final int[] data : dataSet) { dataSet2.add(floatClone(data)); } final long start = System.nanoTime(); for (final float[] data : dataSet2) { filter2.rollingBlockFilterNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; fastTimes.add(time); } } } long slowTotal = 0; long fastTotal = 0; int index = 0; for (final int boxSize : boxSizes) { long boxSlowTotal = 0; long boxFastTotal = 0; for (final int width : primes) { for (final int height : primes) { final ArrayList<int[]> dataSet2 = new ArrayList<>(iter); for (final int[] data : dataSet) { dataSet2.add(intClone(data)); } final long start = System.nanoTime(); for (final int[] data : dataSet2) { filter.rollingBlockSumNxNInternal(data, width, height, boxSize); } final long time = System.nanoTime() - start; final long fastTime = fastTimes.get(index++); slowTotal += time; fastTotal += fastTime; boxSlowTotal += time; boxFastTotal += fastTime; if (debug) { logger.fine(() -> String.format( "int rollingBlockSumNxNInternal [%dx%d] @ %d : %d => " + "float rollingBlockSumNxNInternal %d = %.2fx", width, height, boxSize, time, fastTime, speedUpFactor(time, fastTime))); // Assertions.assertTrue(String.format("Not faster: [%dx%d] @ %d : %d > %d", width, // height, boxSize, // blockTime, time), blockTime < time); } } } // if (debug) logger.log(TestLogUtils.getStageTimingRecord("float rollingBlockSumNxNInternal " + boxSize, boxSlowTotal, "rollingBlockSumNxNInternal", boxFastTotal)); } logger.log(TestLogUtils.getTimingRecord("float rollingBlockSumNxNInternal", slowTotal, "rollingBlockSumNxNInternal", fastTotal)); } // TODO // int sum faster than float sum // Internal version vs complete version -> Is the speed hit significant? }
3e1e7f91d23da66a3015c558db550d19a4d6c07b
1,518
java
Java
cloud2020/cloudalibaba-sentinel-service8401/src/main/java/com/yang/springcloud/controller/RateLimitController.java
qianmianyimeng/spring-cloud-study
17b8d84d6fea3ddf8aa34f031702eb75579c404d
[ "MIT" ]
null
null
null
cloud2020/cloudalibaba-sentinel-service8401/src/main/java/com/yang/springcloud/controller/RateLimitController.java
qianmianyimeng/spring-cloud-study
17b8d84d6fea3ddf8aa34f031702eb75579c404d
[ "MIT" ]
null
null
null
cloud2020/cloudalibaba-sentinel-service8401/src/main/java/com/yang/springcloud/controller/RateLimitController.java
qianmianyimeng/spring-cloud-study
17b8d84d6fea3ddf8aa34f031702eb75579c404d
[ "MIT" ]
null
null
null
33
88
0.72332
12,906
package com.yang.springcloud.controller; import com.alibaba.csp.sentinel.annotation.SentinelResource; import com.alibaba.csp.sentinel.slots.block.BlockException; import com.yang.springcloud.entities.CommonResult; import com.yang.springcloud.entities.Payment; import com.yang.springcloud.myhandler.customerBlockHandler; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.RestController; /** * @author yang * @date 2021/3/7--17:58 */ @RestController public class RateLimitController { @GetMapping("/byResource") @SentinelResource(value = "byResource",blockHandler = "handleException") public CommonResult byResource() { return new CommonResult(200,"按资源名称限流测试OK",new Payment(2020L,"serial001")); } public CommonResult handleException(BlockException exception) { return new CommonResult(444,exception.getClass().getCanonicalName()+"\t 服务不可用"); } @GetMapping("/rateLimit/byUrl") @SentinelResource(value = "byUrl") public CommonResult byUrl() { return new CommonResult(200,"按url限流测试OK",new Payment(2020L,"serial002")); } @GetMapping("/rateLimit/customerBlockHandler") @SentinelResource(value = "customerBlockHandler", blockHandlerClass = customerBlockHandler.class, blockHandler = "handlerException2") public CommonResult byCustomer() { return new CommonResult(200,"客户端请求测试",new Payment(2020L,"serial003")); } }
3e1e81831388c484aa0e67e6135849cdf9dc0e65
7,082
java
Java
third_party/closure-compiler/src/test/com/google/javascript/jscomp/parsing/parser/FeatureSetTest.java
SM-125F/chromeos_smart_card_connector
b375f282d3dbf92318a3321c580715f3ca68d793
[ "Apache-2.0" ]
79
2017-09-22T05:09:54.000Z
2022-03-13T01:11:06.000Z
third_party/closure-compiler/src/test/com/google/javascript/jscomp/parsing/parser/FeatureSetTest.java
SM-125F/chromeos_smart_card_connector
b375f282d3dbf92318a3321c580715f3ca68d793
[ "Apache-2.0" ]
191
2017-10-23T22:34:58.000Z
2022-03-05T18:10:06.000Z
third_party/closure-compiler/src/test/com/google/javascript/jscomp/parsing/parser/FeatureSetTest.java
SM-125F/chromeos_smart_card_connector
b375f282d3dbf92318a3321c580715f3ca68d793
[ "Apache-2.0" ]
32
2017-10-21T07:39:59.000Z
2021-11-10T22:55:32.000Z
48.841379
100
0.762638
12,907
/* * Copyright 2017 The Closure Compiler Authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.google.javascript.jscomp.parsing.parser; import static com.google.common.truth.Truth.assertThat; import static com.google.javascript.jscomp.parsing.parser.testing.FeatureSetSubject.assertFS; import static com.google.javascript.rhino.testing.Asserts.assertThrows; import com.google.javascript.jscomp.parsing.parser.FeatureSet.Feature; import org.junit.Test; import org.junit.runner.RunWith; import org.junit.runners.JUnit4; /** Tests for {@link FeatureSet}. */ @RunWith(JUnit4.class) public final class FeatureSetTest { @Test public void testContains() { assertFS(FeatureSet.ALL).has(Feature.TYPE_ANNOTATION); assertFS(FeatureSet.ALL).has(Feature.MODULES); } @Test public void testWithoutModules() { assertFS(FeatureSet.ALL.without(Feature.MODULES)).has(Feature.TYPE_ANNOTATION); assertFS(FeatureSet.ALL.without(Feature.MODULES)).doesNotHave(Feature.MODULES); } @Test public void testWithoutTypes() { assertFS(FeatureSet.ALL.withoutTypes()).doesNotHave(Feature.TYPE_ANNOTATION); assertFS(FeatureSet.ALL.withoutTypes()).has(Feature.MODULES); } @Test public void testEsOrdering() { assertFS(FeatureSet.ALL).contains(FeatureSet.ES_UNSUPPORTED); assertFS(FeatureSet.ES_UNSUPPORTED).contains(FeatureSet.ES_NEXT); assertFS(FeatureSet.ES_NEXT_IN).contains(FeatureSet.ES_NEXT); assertFS(FeatureSet.ES_NEXT).contains(FeatureSet.ES2020); assertFS(FeatureSet.ES2020).contains(FeatureSet.ES2019); assertFS(FeatureSet.ES2019).contains(FeatureSet.ES2018); assertFS(FeatureSet.ES2018).contains(FeatureSet.ES2017); assertFS(FeatureSet.ES2017).contains(FeatureSet.ES2016); assertFS(FeatureSet.ES2016).contains(FeatureSet.ES2015); assertFS(FeatureSet.ES2015).contains(FeatureSet.ES5); assertFS(FeatureSet.ES5).contains(FeatureSet.ES3); assertFS(FeatureSet.ES3).contains(FeatureSet.BARE_MINIMUM); } @Test public void testEsModuleOrdering() { assertFS(FeatureSet.ES2020_MODULES.without(Feature.MODULES)).equals(FeatureSet.ES2020); assertFS(FeatureSet.ES2019_MODULES.without(Feature.MODULES)).equals(FeatureSet.ES2019); assertFS(FeatureSet.ES2018_MODULES.without(Feature.MODULES)).equals(FeatureSet.ES2018); assertFS(FeatureSet.ES2017_MODULES.without(Feature.MODULES)).equals(FeatureSet.ES2017); assertFS(FeatureSet.ES2016_MODULES.without(Feature.MODULES)).equals(FeatureSet.ES2016); assertFS(FeatureSet.ES2015_MODULES.without(Feature.MODULES)).equals(FeatureSet.ES2015); } @Test public void testVersionForDebugging() { // ES_NEXT, ES_UNSUPPORTED are tested separately - see below assertThat(FeatureSet.ES3.versionForDebugging()).isEqualTo("es3"); assertThat(FeatureSet.ES5.versionForDebugging()).isEqualTo("es5"); assertThat(FeatureSet.ES2015.versionForDebugging()).isEqualTo("es6"); assertThat(FeatureSet.ES2015_MODULES.versionForDebugging()).isEqualTo("es6"); assertThat(FeatureSet.ES2016.versionForDebugging()).isEqualTo("es7"); assertThat(FeatureSet.ES2016_MODULES.versionForDebugging()).isEqualTo("es7"); assertThat(FeatureSet.ES2017.versionForDebugging()).isEqualTo("es8"); assertThat(FeatureSet.ES2017_MODULES.versionForDebugging()).isEqualTo("es8"); assertThat(FeatureSet.ES2018.versionForDebugging()).isEqualTo("es9"); assertThat(FeatureSet.ES2018_MODULES.versionForDebugging()).isEqualTo("es9"); assertThat(FeatureSet.ES2019.versionForDebugging()).isEqualTo("es_2019"); assertThat(FeatureSet.ES2019_MODULES.versionForDebugging()).isEqualTo("es_2019"); assertThat(FeatureSet.ES2020.versionForDebugging()).isEqualTo("es_2020"); assertThat(FeatureSet.ES2020_MODULES.versionForDebugging()).isEqualTo("es_2020"); assertThat(FeatureSet.ALL.versionForDebugging()).isEqualTo("all"); } @Test public void testEsNext() { // ES_NEXT currently has no feature, hence ES_2020 will be returned by versionForDebugging(). // This will change when new features are added to ES_NEXT/ES_2021, so this test case will // then have to change. // This is on purpose so the test case serves as documentation that we intentionally // have ES_NEXT the same as or different from the latest supported ES version. assertThat(FeatureSet.ES_NEXT.versionForDebugging()).isEqualTo("es_2020"); } @Test public void testEsNextIn() { // ES_NEXT_IN currently has one or more features that are not in other feature sets, so its name // will be returned by versionForDebugging(). // This will change when those features are added to ES_NEXT/ES_XXXX, so this test case will // then have to change. // This is on purpose so the test case serves as documentation that we intentionally // have ES_NEXT_IN the same as or different from the latest supported ES version. assertThat(FeatureSet.ES_NEXT_IN.versionForDebugging()).isEqualTo("es_next_in"); } @Test public void testEsUnsupported() { // ES_UNSUPPORTED is currently has the same features as ES_NEXT_IN, so versionForDebugging() // will // return es_next_in // This will change when new features are added to ES_NEXT/ES_UNSUPPORTED, so this test case // will then have to change. // This is on purpose so the test case serves as documentation that we intentionally // have ES_UNSUPPORTED the same as or different from ES_NEXT assertThat(FeatureSet.ES_UNSUPPORTED.versionForDebugging()).isEqualTo("es_next_in"); } @Test public void testValueOf() { assertFS(FeatureSet.valueOf("es3")).equals(FeatureSet.ES3); assertFS(FeatureSet.valueOf("es5")).equals(FeatureSet.ES5); assertFS(FeatureSet.valueOf("es6")).equals(FeatureSet.ES2015); assertFS(FeatureSet.valueOf("es7")).equals(FeatureSet.ES2016); assertFS(FeatureSet.valueOf("es8")).equals(FeatureSet.ES2017); assertFS(FeatureSet.valueOf("es_2018")).equals(FeatureSet.ES2018); assertFS(FeatureSet.valueOf("es9")).equals(FeatureSet.ES2018); assertFS(FeatureSet.valueOf("es_2019")).equals(FeatureSet.ES2019); assertFS(FeatureSet.valueOf("es_2020")).equals(FeatureSet.ES2020); assertFS(FeatureSet.valueOf("es_next")).equals(FeatureSet.ES_NEXT); assertFS(FeatureSet.valueOf("es_next_in")).equals(FeatureSet.ES_NEXT_IN); assertFS(FeatureSet.valueOf("es_unsupported")).equals(FeatureSet.ES_UNSUPPORTED); assertFS(FeatureSet.valueOf("all")).equals(FeatureSet.ALL); assertThrows(IllegalArgumentException.class, () -> FeatureSet.valueOf("bad")); } }
3e1e82633a02c069f8c6791d95faf0abad0456cb
1,339
java
Java
helium-framework/helium-common/src/main/java/org/helium/framework/route/abtest/FactorFactory.java
helium-cloud/spring-cloud-helium
f0850ca3eef909816fdef84c675a19c616b62cea
[ "Apache-2.0" ]
5
2020-01-15T04:06:54.000Z
2021-06-28T02:58:35.000Z
helium-framework/helium-common/src/main/java/org/helium/framework/route/abtest/FactorFactory.java
helium-cloud/spring-cloud-helium
f0850ca3eef909816fdef84c675a19c616b62cea
[ "Apache-2.0" ]
null
null
null
helium-framework/helium-common/src/main/java/org/helium/framework/route/abtest/FactorFactory.java
helium-cloud/spring-cloud-helium
f0850ca3eef909816fdef84c675a19c616b62cea
[ "Apache-2.0" ]
4
2020-04-08T06:23:28.000Z
2021-09-05T08:15:33.000Z
31.139535
81
0.731143
12,908
package org.helium.framework.route.abtest; import org.helium.framework.entitys.FactorGroupNode; import org.helium.framework.entitys.FactorNode; import org.helium.framework.route.abtest.FactorGroup.Condition; import java.util.ArrayList; import java.util.List; /** * Created by Coral on 8/4/15. */ public class FactorFactory { public static final String CONDITION_NOT = "not"; public static final String CONDITION_AND = "and"; public static final String CONDITION_OR = "or"; public static Factor createFrom(FactorGroupNode node) { List<Factor> list = new ArrayList<>(); for (FactorGroupNode gn: node.getGroups()) { list.add(createFrom(gn)); } for (FactorNode fn: node.getFactors()) { list.add(FactorImpl.createFactor(fn)); } String condition = node.getCondition(); if (CONDITION_AND.equals(condition)) { return new FactorGroup(Condition.AND, list, node.isDuplicate()); } else if (CONDITION_OR.equals(condition)) { return new FactorGroup(Condition.OR, list, node.isDuplicate()); } else if (CONDITION_NOT.equals(condition)) { if (list.size() != 1) { throw new IllegalArgumentException("only support 1 node when condition=not"); } return new FactorGroup(Condition.NOT, list, node.isDuplicate()); } else { throw new IllegalArgumentException("unknown condition:" + condition); } } }
3e1e82b88bb839da38a759630008b7f9ee57a9fb
8,622
java
Java
modules/dashboard-commons/src/main/java/org/jboss/dashboard/commons/comparator/ComparatorUtils.java
jeroenvds/dashboard-builder
bfc701ffe904c1226ee14807b72bed5f188aed20
[ "Apache-2.0" ]
1
2019-06-27T11:52:03.000Z
2019-06-27T11:52:03.000Z
modules/dashboard-commons/src/main/java/org/jboss/dashboard/commons/comparator/ComparatorUtils.java
jeroenvds/dashboard-builder
bfc701ffe904c1226ee14807b72bed5f188aed20
[ "Apache-2.0" ]
null
null
null
modules/dashboard-commons/src/main/java/org/jboss/dashboard/commons/comparator/ComparatorUtils.java
jeroenvds/dashboard-builder
bfc701ffe904c1226ee14807b72bed5f188aed20
[ "Apache-2.0" ]
null
null
null
36.533898
118
0.542797
12,909
/** * Copyright (C) 2012 JBoss Inc * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.jboss.dashboard.commons.comparator; import org.apache.commons.collections.CollectionUtils; import java.util.*; /** * Helper class containing methods for the comparison between different types. */ public class ComparatorUtils { /** * Compares two comparable objects. * * @param ordering: 1=ascending, -1=descending */ public static int compare(Comparable o1, Comparable o2, int ordering) { // Compare int comp = 0; if (o1 == null && o2 != null) comp = -1; else if (o1 != null && o2 == null) comp = 1; else if (o1 == null && o2 == null) comp = 0; else { comp = o1.compareTo(o2); if (comp > 0) comp = 1; else if (comp < 0) comp = -1; } // Resolve ordering if (ordering == -1) return comp * ordering; return comp; } /** * Compares two dates. * * @param ordering: 1=ascending, -1=descending */ public static int compare(Date o1, Date o2, int ordering) { // Compare int comp = 0; if (o1 == null && o2 != null) comp = -1; else if (o1 != null && o2 == null) comp = 1; else if (o1 == null && o2 == null) comp = 0; else { long thisTime = o1.getTime(); long anotherTime = o2.getTime(); comp = (thisTime < anotherTime ? -1 : (thisTime == anotherTime ? 0 : 1)); } // Resolve ordering if (ordering == -1) return comp * ordering; return comp; } /** * Compares two booleans. * * @param ordering: 1=ascending, -1=descending */ public static int compare(Boolean o1, Boolean o2, int ordering) { // Compare int comp = 0; if (o1 == null && o2 != null) comp = -1; else if (o1 != null && o2 == null) comp = 1; else if (o1 == null && o2 == null) comp = 0; else { if (o1.booleanValue() == o2.booleanValue()) comp = 0; else if (o1.booleanValue()) comp = 1; else comp = -1; } // Resolve ordering if (ordering == -1) return comp * ordering; return comp; } /** * Check if tow collections contains exactly the same elements. * The order of elements within each collection is not relevant. */ public static boolean equals(Collection o1, Collection o2) { if (o1 == null && o2 != null) return false; else if (o1 != null && o2 == null) return false; else if (o1 == null && o2 == null) return false; else if (o1.size() != o2.size()) return false; else if (o1.isEmpty() && o2.isEmpty()) return false; else return CollectionUtils.intersection(o1, o2).size() == o1.size(); } /** * Compares two collections. * A collection is considered greater than other if it has one element greater than all other collection elements. * * @param ordering: 1=ascending, -1=descending */ public static int compare(Collection o1, Collection o2, int ordering) { // Compare int comp = 0; if (o1 == null && o2 != null) comp = -1; else if (o1 != null && o2 == null) comp = 1; else if (o1 == null && o2 == null) comp = 0; else if (o1.size() == 0 && o2.size() > 0) comp = -1; else if (o1.size() > 0 && o2.size() == 0) comp = 1; else { // Compare o1 elements vs o2 int o1comp = 0; Iterator it = o1.iterator(); while (it.hasNext()) { Object value = it.next(); o1comp = compare(value, o2, ordering); if (o1comp != 0) { if (o1comp == -1) comp = -1; if (o1comp == 1 && comp != -1) comp = 1; // -1 is prioritary. } } // Compare o2 elements vs o1 int o2comp = 0; it = o2.iterator(); while (comp == 0 && it.hasNext()) { Object value = it.next(); o2comp = compare(value, o1, ordering); if (o2comp != 0) { if (o2comp == -1) comp = 1; if (o2comp == 1 && comp != -1) comp = -1; // -1 is prioritary. } } } // Resolve ordering if (ordering == -1) return comp * ordering; return comp; } /** * Compare an element with the collection elements. * The element is greater than the collection if it is greater than ALL of its elements. * The element is smaller than the collection if it is smaller than ALL of its elements. * * @param ordering: 1=ascending, -1=descending */ public static int compare(Object obj, Collection col, int ordering) { // Compare int comp = 0; if (obj == null && col == null) comp = 0; else if (obj == null && col != null && col.size() > 0) comp = -1; else if (obj != null && (col == null || col.size() == 0)) comp = 1; else { // Both collections have the same size. Iterator it = col.iterator(); while (it.hasNext()) { Object value = it.next(); comp += compare(obj, value, ordering); } // Check comparison hits. if (comp == col.size()) comp = 1; else if (comp == (col.size() * -1)) comp = -1; else comp = 0; } // Resolve ordering if (ordering == -1) return comp * ordering; return comp; } /** * Compares two objects. * Only Object satisfying the following nterfaces can be compared: Comparable, Boolean and Collection. * * @param ordering: 1=ascending, -1=descending */ public static int compare(Object o1, Object o2, int ordering) { // Compare int comp = 0; if (o1 == null && o2 != null) comp = -1; else if (o1 != null && o2 == null) comp = 1; else if (o1 == null && o2 == null) comp = 0; else { if (o1 instanceof Boolean && o2 instanceof Boolean) { return ComparatorUtils.compare((Boolean) o1, (Boolean) o2, ordering); } if (o1 instanceof Date && o2 instanceof Date) { return ComparatorUtils.compare((Date) o1, (Date) o2, ordering); } else if (o1 instanceof Collection && o2 instanceof Collection) { return ComparatorUtils.compare((Collection) o1, (Collection) o2, ordering); } else if (o1 instanceof Comparable && o2 instanceof Comparable) { return ComparatorUtils.compare((Comparable) o1, (Comparable) o2, ordering); } } // Resolve ordering if (ordering == -1) return comp * ordering; return comp; } /** * Test compare methods. */ public static void main(String[] args) throws Exception { String[] stringArray = new String[]{"3", "4", "1"}; Long[] longArray = new Long[]{new Long(3), new Long(2), new Long(4)}; Boolean[] booleanArray = new Boolean[]{Boolean.FALSE, Boolean.TRUE, Boolean.FALSE}; List stringList = Arrays.asList(stringArray); List longList = Arrays.asList(longArray); List booleanList = Arrays.asList(booleanArray); List collection1 = Arrays.asList(new String[]{"A"}); List collection2 = Arrays.asList(new String[]{"B"}); Comparator comparator = new Comparator() { public int compare(Object o1, Object o2) { return ComparatorUtils.compare(o1, o2, -1); } }; Collections.sort(stringList, comparator); Collections.sort(longList, comparator); Collections.sort(booleanList, comparator); System.out.println(stringList); System.out.println(longList); System.out.println(booleanList); System.out.println(comparator.compare(collection1, collection2)); } }
3e1e830c1fe09db46e43fe4d41142ded02180af9
112
java
Java
src/test/java/nl/rug/jbi/jsm/metrics/ckjm/dit/RootObject.java
Kiskae/Java-Source-Metrics
c8ff5820ba28a9b4f00bb692a8dd630b1485deef
[ "MIT" ]
1
2018-05-02T20:59:22.000Z
2018-05-02T20:59:22.000Z
src/test/java/nl/rug/jbi/jsm/metrics/ckjm/dit/RootObject.java
Kiskae/Java-Source-Metrics
c8ff5820ba28a9b4f00bb692a8dd630b1485deef
[ "MIT" ]
2
2016-01-08T21:28:26.000Z
2016-02-07T01:27:33.000Z
src/test/java/nl/rug/jbi/jsm/metrics/ckjm/dit/RootObject.java
Kiskae/Java-Source-Metrics
c8ff5820ba28a9b4f00bb692a8dd630b1485deef
[ "MIT" ]
null
null
null
14
40
0.678571
12,910
package nl.rug.jbi.jsm.metrics.ckjm.dit; /** * Created by David on 28-5-2014. */ public class RootObject { }
3e1e83fb3fbdb3d008e7d1bf1ee50bcc8dd95860
3,228
java
Java
app/controllers/TestController.java
STLJones90/FinalProject-2019-Spring
7611dd57e8baef1e2dc8839872e77a4a1e141624
[ "CC0-1.0" ]
null
null
null
app/controllers/TestController.java
STLJones90/FinalProject-2019-Spring
7611dd57e8baef1e2dc8839872e77a4a1e141624
[ "CC0-1.0" ]
null
null
null
app/controllers/TestController.java
STLJones90/FinalProject-2019-Spring
7611dd57e8baef1e2dc8839872e77a4a1e141624
[ "CC0-1.0" ]
null
null
null
25.21875
118
0.649938
12,911
package controllers; import models.Test; import org.w3c.dom.Document; import org.w3c.dom.Node; import org.w3c.dom.NodeList; import play.Logger; import play.data.DynamicForm; import play.data.FormFactory; import play.db.jpa.JPAApi; import play.db.jpa.Transactional; import play.mvc.Controller; import play.mvc.Result; import javax.inject.Inject; import javax.persistence.TypedQuery; import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import java.net.URL; import java.util.List; public class TestController extends Controller { private FormFactory formFactory; private JPAApi db; @Inject public TestController(FormFactory formFactory, JPAApi db) { this.formFactory = formFactory; this.db = db; } public Result getTest() { return ok(views.html.test.render("Test Text")); } public Result postTest() { DynamicForm form = formFactory.form().bindFromRequest(); String test = form.get("test"); return ok(views.html.test.render(test)); } @Transactional(readOnly = true) public Result getTestDb() { String sql = "SELECT t FROM Test t"; TypedQuery query = db.em().createQuery(sql, Test.class); List<Test> test = query.getResultList(); return ok(views.html.test.render("Rows: " + test.size())); } @Transactional public Result postTestDb() { DynamicForm form = formFactory.form().bindFromRequest(); String testName = form.get("test"); Test test = new Test(); test.setTestName(testName); db.em().persist(test); return redirect("/testdb"); } public Result getZillow() throws Exception { String answer = ""; URL url = new URL("http://www.zillow.com/webservice/GetDeepSearchResults.htm?zws-id=X1-ZWz17rshl5psej_4srxq" + "&address=30+Chicot+drive&citystatezip=Maumelle%2C+Ar"); DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance(); DocumentBuilder db = dbf.newDocumentBuilder(); Document doc = db.parse(url.openStream()); Node searchResults = doc.getElementsByTagName("street").item(0); answer = searchResults.getTextContent(); return ok("Got it: " + answer); } /* public Result getZillow() throws Exception { String answer = ""; URL url = new URL("http://www.zillow.com/webservice/GetDeepSearchResults.htm?zws-id=X1-ZWz17rshl5psej_4srxq" + "&address=30+Chicot+drive&citystatezip=Maumelle%2C+Ar"); DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance(); DocumentBuilder db = dbf.newDocumentBuilder(); Document doc = db.parse(url.openStream()); Node searchResults = doc.getElementsByTagName("SearchResults:searchresults").item(0); Node response = searchResults.getLastChild(); NodeList results = response.getChildNodes(); for (int i = 0; i < results.getLength(); i++) { Node result = results.item(i); answer = result.getFirstChild() .getTextContent(); } return ok("Got it: " + answer); } */ }
3e1e844745e2ceea216775b7fbc0d01d2698b6c2
976
java
Java
Middleware/emr/src/main/java/com/intuit/quickfabric/emr/mapper/SegmentsMapper.java
sandipnahak/QuickFabric
1010fb40235254c7a5e8d225e7d34d1abd6ec543
[ "Apache-2.0" ]
22
2020-03-10T20:55:26.000Z
2022-02-03T04:03:09.000Z
Middleware/emr/src/main/java/com/intuit/quickfabric/emr/mapper/SegmentsMapper.java
sandipnahak/QuickFabric
1010fb40235254c7a5e8d225e7d34d1abd6ec543
[ "Apache-2.0" ]
13
2020-03-30T09:28:14.000Z
2021-10-06T05:53:40.000Z
Middleware/emr/src/main/java/com/intuit/quickfabric/emr/mapper/SegmentsMapper.java
sandipnahak/QuickFabric
1010fb40235254c7a5e8d225e7d34d1abd6ec543
[ "Apache-2.0" ]
15
2020-03-30T09:12:22.000Z
2022-02-24T08:05:47.000Z
33.655172
95
0.717213
12,912
package com.intuit.quickfabric.emr.mapper; import org.springframework.dao.DataAccessException; import org.springframework.jdbc.core.ResultSetExtractor; import com.intuit.quickfabric.commons.vo.SegmentVO; import java.sql.ResultSet; import java.sql.SQLException; import java.util.ArrayList; import java.util.List; public class SegmentsMapper implements ResultSetExtractor<List<SegmentVO>> { public List<SegmentVO> extractData(ResultSet rs) throws SQLException, DataAccessException { List<SegmentVO> segments = new ArrayList<>(); while (rs.next()) { SegmentVO segment = new SegmentVO(); segment.setSegmentId(rs.getInt("segment_id")); segment.setSegmentName(rs.getString("segment_name")); segment.setBusinessOwner(rs.getString("business_owner")); segment.setBusinessOwnerEmail(rs.getString("business_owner_email")); segments.add(segment); } return segments; } }
3e1e84afa2cbaede7535a5f96f799343b98c4cb6
968
java
Java
app/src/main/java/com/example/myowngram/Post.java
BirajSinghGCUTA/MyOwnGram
45a6d203cb94bd4f81fa43223cf57732f18692b3
[ "Apache-2.0" ]
1
2021-03-08T10:25:40.000Z
2021-03-08T10:25:40.000Z
app/src/main/java/com/example/myowngram/Post.java
BirajSinghGCUTA/MyOwnGram
45a6d203cb94bd4f81fa43223cf57732f18692b3
[ "Apache-2.0" ]
2
2021-02-27T08:25:27.000Z
2021-03-06T09:09:52.000Z
app/src/main/java/com/example/myowngram/Post.java
BirajSinghGCUTA/MyOwnGram
45a6d203cb94bd4f81fa43223cf57732f18692b3
[ "Apache-2.0" ]
null
null
null
26.162162
63
0.704545
12,913
package com.example.myowngram; import com.parse.ParseClassName; import com.parse.ParseFile; import com.parse.ParseObject; import com.parse.ParseUser; @ParseClassName("Post") public class Post extends ParseObject { public static final String KEY_DESCRIPTION = "description"; public static final String KEY_IMAGE = "image"; public static final String KEY_USER = "user"; public static final String KEY_CREATEDAT_KEY = "createdAt"; public String getDescription() { return getString(KEY_DESCRIPTION); } public void setDescription(String description) { put(KEY_DESCRIPTION, description); } public ParseFile getImage(){ return getParseFile(KEY_IMAGE); } public void setImage(ParseFile parsefile){ put(KEY_IMAGE,parsefile); } public ParseUser getUser(){ return getParseUser(KEY_USER); } public void setUser(ParseUser parseuser){ put(KEY_USER,parseuser); } }
3e1e85f542905c2029339e093e5a9d4d3fa0c49e
3,040
java
Java
src/com/vmware/vim25/CustomFieldDef.java
opencompute/vijava
e9648344d4463a276caf751bb4c48afdd21e3d40
[ "BSD-3-Clause" ]
2
2016-01-08T02:10:52.000Z
2021-10-05T02:21:22.000Z
src/main/java/com/vmware/vim25/CustomFieldDef.java
incloudmanager/vijava
f82ea6b5db9f87b118743d18c84256949755093c
[ "BSD-3-Clause" ]
null
null
null
src/main/java/com/vmware/vim25/CustomFieldDef.java
incloudmanager/vijava
f82ea6b5db9f87b118743d18c84256949755093c
[ "BSD-3-Clause" ]
2
2015-03-10T10:18:33.000Z
2021-01-06T13:42:16.000Z
32.688172
88
0.735526
12,914
/*================================================================================ Copyright (c) 2013 Steve Jin. All Rights Reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the names of copyright holders nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL COPYRIGHT HOLDERS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. ================================================================================*/ package com.vmware.vim25; /** * @author Steve Jin (http://www.doublecloud.org) * @version 5.1 */ @SuppressWarnings("all") public class CustomFieldDef extends DynamicData { public int key; public String name; public String type; public String managedObjectType; public PrivilegePolicyDef fieldDefPrivileges; public PrivilegePolicyDef fieldInstancePrivileges; public int getKey() { return this.key; } public String getName() { return this.name; } public String getType() { return this.type; } public String getManagedObjectType() { return this.managedObjectType; } public PrivilegePolicyDef getFieldDefPrivileges() { return this.fieldDefPrivileges; } public PrivilegePolicyDef getFieldInstancePrivileges() { return this.fieldInstancePrivileges; } public void setKey(int key) { this.key=key; } public void setName(String name) { this.name=name; } public void setType(String type) { this.type=type; } public void setManagedObjectType(String managedObjectType) { this.managedObjectType=managedObjectType; } public void setFieldDefPrivileges(PrivilegePolicyDef fieldDefPrivileges) { this.fieldDefPrivileges=fieldDefPrivileges; } public void setFieldInstancePrivileges(PrivilegePolicyDef fieldInstancePrivileges) { this.fieldInstancePrivileges=fieldInstancePrivileges; } }
3e1e86c326e9740ae409ab4748a7d13c8719a06d
3,193
java
Java
netty-in-action/src/main/java/io/netty/example/study/client/ClientV2.java
iszhangsc/netty-in-the-all
37af79120df857719ad0a15fcce3a1c416197f17
[ "Apache-2.0" ]
null
null
null
netty-in-action/src/main/java/io/netty/example/study/client/ClientV2.java
iszhangsc/netty-in-the-all
37af79120df857719ad0a15fcce3a1c416197f17
[ "Apache-2.0" ]
5
2020-11-16T20:42:47.000Z
2022-02-01T01:01:52.000Z
netty-in-action/src/main/java/io/netty/example/study/client/ClientV2.java
iszhangsc/netty-in-the-all
37af79120df857719ad0a15fcce3a1c416197f17
[ "Apache-2.0" ]
null
null
null
40.935897
94
0.704666
12,915
package io.netty.example.study.client; import io.netty.bootstrap.Bootstrap; import io.netty.channel.ChannelFuture; import io.netty.channel.ChannelInitializer; import io.netty.channel.ChannelPipeline; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.nio.NioChannelOption; import io.netty.channel.socket.nio.NioSocketChannel; import io.netty.example.study.client.codec.OrderFrameDecoder; import io.netty.example.study.client.codec.OrderFrameEncoder; import io.netty.example.study.client.codec.OrderProtocolDecoder; import io.netty.example.study.client.codec.OrderProtocolEncoder; import io.netty.example.study.common.OperationResult; import io.netty.example.study.common.RequestMessage; import io.netty.example.study.common.order.OrderOperation; import io.netty.example.study.server.codec.ResponseDispatcherHandler; import io.netty.example.study.server.codec.dispatcher.OperationResultFuture; import io.netty.example.study.server.codec.dispatcher.RequestPendingCenter; import io.netty.example.study.util.IdUtil; import io.netty.handler.logging.LogLevel; import io.netty.handler.logging.LoggingHandler; import java.util.concurrent.ExecutionException; /** * <p> * * </p> * * @author zhangshichang * @date 2020/4/21 下午3:51 */ public class ClientV2 { public static void main(String[] args) throws InterruptedException, ExecutionException { Bootstrap bootstrap = new Bootstrap(); // 连接超时10s bootstrap.option(NioChannelOption.CONNECT_TIMEOUT_MILLIS, 10 * 1000); final RequestPendingCenter requestPendingCenter = new RequestPendingCenter(); bootstrap.channel(NioSocketChannel.class) .group(new NioEventLoopGroup()) .handler(new ChannelInitializer<NioSocketChannel>() { @Override protected void initChannel(NioSocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast(new OrderFrameDecoder()); pipeline.addLast(new OrderFrameEncoder()); pipeline.addLast(new OrderProtocolDecoder()); pipeline.addLast(new OrderProtocolEncoder()); pipeline.addLast(new ResponseDispatcherHandler(requestPendingCenter)); pipeline.addLast(new LoggingHandler(LogLevel.INFO)); } }); final ChannelFuture channelFuture = bootstrap.connect("127.0.0.1", 8090); channelFuture.sync(); final long streamId = IdUtil.nextId(); final OrderOperation operation = new OrderOperation(1001, "土豆"); RequestMessage requestMessage = new RequestMessage(streamId, operation); OperationResultFuture operationResultFuture = new OperationResultFuture(); requestPendingCenter.add(streamId, operationResultFuture); for (int i = 0; i < 20; i++) { channelFuture.channel().writeAndFlush(requestMessage); } OperationResult result = operationResultFuture.get(); System.out.println(result); channelFuture.channel().closeFuture().get(); } }
3e1e882867b3a7e602f55ef9a37ebe5b36c146f8
664
java
Java
app/src/main/java/com/imed/di/AppComponent.java
namhq1989/techcube-android
5a5242a4de69c55766484045d2787180930c7b1d
[ "MIT" ]
null
null
null
app/src/main/java/com/imed/di/AppComponent.java
namhq1989/techcube-android
5a5242a4de69c55766484045d2787180930c7b1d
[ "MIT" ]
null
null
null
app/src/main/java/com/imed/di/AppComponent.java
namhq1989/techcube-android
5a5242a4de69c55766484045d2787180930c7b1d
[ "MIT" ]
null
null
null
21.419355
157
0.751506
12,916
package com.imed.di; import android.app.Application; import com.imed.App; import javax.inject.Singleton; import dagger.BindsInstance; import dagger.Component; import dagger.android.AndroidInjectionModule; /** * Created by vinhnguyen.it.vn on 2017, September 19 */ @Singleton @Component(modules = {AndroidInjectionModule.class, ActivityModule.class, ViewModelModule.class, AppModule.class, ServiceModule.class, DatabaseModule.class}) public interface AppComponent { @Component.Builder interface Builder { @BindsInstance Builder application(Application application); AppComponent build(); } void inject(App app); }
3e1e89891bd809ea1d5fef50b12ec23529d79a9f
3,162
java
Java
engine/src/main/java/org/terasology/engine/rendering/logic/LightComponent.java
SoaringChicken/MovingBlocks-Terasology
beb50fec285683df4fcc462b1bd7f4dfa1bc0785
[ "Apache-2.0" ]
2,996
2015-01-01T13:48:59.000Z
2022-03-28T17:56:47.000Z
engine/src/main/java/org/terasology/engine/rendering/logic/LightComponent.java
SoaringChicken/MovingBlocks-Terasology
beb50fec285683df4fcc462b1bd7f4dfa1bc0785
[ "Apache-2.0" ]
3,251
2015-01-01T00:25:51.000Z
2022-03-31T22:06:39.000Z
engine/src/main/java/org/terasology/engine/rendering/logic/LightComponent.java
SoaringChicken/MovingBlocks-Terasology
beb50fec285683df4fcc462b1bd7f4dfa1bc0785
[ "Apache-2.0" ]
1,775
2015-01-02T10:31:49.000Z
2022-03-30T03:50:11.000Z
35.133333
120
0.704301
12,917
// Copyright 2021 The Terasology Foundation // SPDX-License-Identifier: Apache-2.0 package org.terasology.engine.rendering.logic; import org.joml.Vector3f; import org.terasology.engine.network.Replicate; import org.terasology.engine.network.ReplicationCheck; import org.terasology.reflection.metadata.FieldMetadata; /** * Add this component to an entity for it to transmit light from its location. * By default the component is configured to act similarly to a placed torch block. */ // TODO: Split into multiple components? Point, Directional? public final class LightComponent implements VisualComponent<LightComponent>, ReplicationCheck { public enum LightType { POINT, DIRECTIONAL } @Replicate public Vector3f lightColorDiffuse = new Vector3f(1.0f, 1.0f, 1.0f); @Replicate public Vector3f lightColorAmbient = new Vector3f(1.0f, 1.0f, 1.0f); @Replicate public float lightDiffuseIntensity = 1.0f; @Replicate public float lightAmbientIntensity = 1.0f; /** * This helps control how focused the specular light is. * A smaller number will make a wider cone of light. * A larger number will make a narrower cone of light. */ @Replicate public float lightSpecularPower = 80.0f; /** * Light attenuation range used in the calculation of how light fades from the light source as it gets farther away. * It is use in the following calculation: * <p> * attenuation = 1 / (lightDist/lightAttenuationRange + 1)^2 * <p> * Where lightDist is how far the point in the world is from the light source. */ @Replicate public float lightAttenuationRange = 10.0f; /** * After light travels the lightAttenuationRange, linearly fade to 0 light over this falloff distance. */ @Replicate public float lightAttenuationFalloff = 1.25f; /** * The rendering distance for light components (0.0f == Always render the light) */ @Replicate public float lightRenderingDistance; @Replicate public LightType lightType = LightType.POINT; public boolean simulateFading; @Override public void copyFrom(LightComponent other) { this.lightColorDiffuse = new Vector3f(other.lightColorDiffuse); this.lightColorAmbient = new Vector3f(other.lightColorAmbient); this.lightDiffuseIntensity = other.lightDiffuseIntensity; this.lightAmbientIntensity = other.lightAmbientIntensity; this.lightSpecularPower = other.lightSpecularPower; this.lightAttenuationRange = other.lightAttenuationRange; this.lightAttenuationFalloff = other.lightAttenuationFalloff; this.lightRenderingDistance = other.lightRenderingDistance; this.lightType = other.lightType; this.simulateFading = other.simulateFading; } @Override public boolean shouldReplicate(FieldMetadata<?, ?> field, boolean initial, boolean toOwner) { switch (field.getName()) { case "lightDiffuseIntensity": case "lightAmbientIntensity": return initial || !simulateFading; } return true; } }
3e1e89d444390bf1cedc6e358ed2c61a61268589
523
java
Java
anyboot-mvc-jsp-mysql/src/main/java/org/anyboot/start/json/home/controller/DefaultController.java
anylineorg/demo
233f24dbafdca26931599b241173dc10376114da
[ "Apache-2.0" ]
1
2020-01-04T04:37:17.000Z
2020-01-04T04:37:17.000Z
anyboot-mvc-jsp-mysql/src/main/java/org/anyboot/start/json/home/controller/DefaultController.java
anylineorg/demo
233f24dbafdca26931599b241173dc10376114da
[ "Apache-2.0" ]
null
null
null
anyboot-mvc-jsp-mysql/src/main/java/org/anyboot/start/json/home/controller/DefaultController.java
anylineorg/demo
233f24dbafdca26931599b241173dc10376114da
[ "Apache-2.0" ]
null
null
null
27.526316
62
0.801147
12,918
package org.anyboot.start.json.home.controller; import org.anyline.entity.DataSet; import org.anyboot.start.common.BasicJSONController; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RestController; @RestController("json.home.DefaultController") @RequestMapping("/js") public class DefaultController extends BasicJSONController { @RequestMapping("/index") public String index() { DataSet set = service.querys("api_config"); return success(set); } }
3e1e8c60e32bc8a47e0205b3e60b9baf911a671b
1,272
java
Java
multithreading/src/main/java/ru/job4j/nonblock/ConcurrentCache.java
Daniil56/DEmelyanov2
8e6bffdb5459f14c6f28feb01f46a43334c792c2
[ "Apache-2.0" ]
3
2018-07-23T14:03:44.000Z
2020-10-16T22:05:53.000Z
multithreading/src/main/java/ru/job4j/nonblock/ConcurrentCache.java
Daniil56/DEmelyanov2
8e6bffdb5459f14c6f28feb01f46a43334c792c2
[ "Apache-2.0" ]
null
null
null
multithreading/src/main/java/ru/job4j/nonblock/ConcurrentCache.java
Daniil56/DEmelyanov2
8e6bffdb5459f14c6f28feb01f46a43334c792c2
[ "Apache-2.0" ]
null
null
null
26.5
86
0.534591
12,919
package ru.job4j.nonblock; import net.jcip.annotations.GuardedBy; import net.jcip.annotations.ThreadSafe; import java.util.concurrent.ConcurrentHashMap; @ThreadSafe public class ConcurrentCache { @GuardedBy(value = "this") private volatile ConcurrentHashMap<Integer, Base> map = new ConcurrentHashMap<>(); public void add(Base model) { map.putIfAbsent(model.getId(), model); } public void upDateValue(int id, int value) { final int oldVersion = map.get(id).getVersion(); this.map.computeIfPresent(id, (integer, base) -> { if (oldVersion == base.getVersion()) { base.incrementVersion(); base.setValue(value); } else { try { throw new OptimisticException("optimistic exception"); } catch (OptimisticException e) { e.printStackTrace(); } } return base; }); } public void delete(Base model) { map.remove(model.getId()); } public Base getBase(int id) { return map.get(id); } public int size() { return map.size(); } }
3e1e8de79035ee1a7d7a81a18448e4f33b5a7907
3,631
java
Java
src/main/java/al/tonikolaba/entity/enemies/Ufo.java
catherine-caron/BatBat-Game
9b004f2ec41e56e616ed5c06d8b7ad3e11099a0d
[ "MIT" ]
10
2017-05-20T08:28:37.000Z
2021-09-26T12:05:01.000Z
src/main/java/al/tonikolaba/entity/enemies/Ufo.java
catherine-caron/BatBat-Game
9b004f2ec41e56e616ed5c06d8b7ad3e11099a0d
[ "MIT" ]
1
2020-01-14T23:03:44.000Z
2020-03-24T15:34:37.000Z
src/main/java/al/tonikolaba/entity/enemies/Ufo.java
catherine-caron/BatBat-Game
9b004f2ec41e56e616ed5c06d8b7ad3e11099a0d
[ "MIT" ]
24
2017-05-31T10:00:06.000Z
2021-09-26T19:47:53.000Z
24.046358
76
0.518039
12,920
package al.tonikolaba.entity.enemies; import al.tonikolaba.entity.Enemy; import al.tonikolaba.entity.Player; import al.tonikolaba.handlers.Content; import al.tonikolaba.tilemap.TileMap; import java.awt.*; import java.awt.image.BufferedImage; import java.util.ArrayList; import java.util.List; /** * @author ArtOfSoul */ public class Ufo extends Flyer { private static final int IDLE = 0; private static final int JUMPING = 1; private static final int ATTACKING = 2; private Player player; private ArrayList<Enemy> enemies; private BufferedImage[] idleSprites; private BufferedImage[] jumpSprites; private BufferedImage[] attackSprites; private int attackTick; private int attackDelay = 30; private int step; public Ufo(TileMap tm, Player p, List<Enemy> en) { super(tm, FlyerType.UFO); player = p; enemies = (ArrayList<Enemy>) en; idleSprites = Content.getUfo()[0]; jumpSprites = Content.getUfo()[1]; attackSprites = Content.getUfo()[2]; animation.setFrames(idleSprites); animation.setDelay(-1); attackTick = 0; } @Override public void update() { // check if done flinching if (flinching) { flinchCount++; if (flinchCount == 6) flinching = false; } getNextPosition(); checkTileMapCollision(); setPosition(xtemp, ytemp); // update animation animation.update(); facingRight = player.getx() >= x; switch (step) { case 0: updateIdle(); break; case 1: updateJump(); break; case 2: updateAttack(); break; case 3: if (dy == 0) step++; break; default: step = 0; left = right = jumping = false; break; } } private void updateAttack() { if (dy > 0 && currentAction != ATTACKING) { currentAction = ATTACKING; animation.setFrames(attackSprites); animation.setDelay(3); RedEnergy de = new RedEnergy(tileMap); de.setPosition(x, y); if (facingRight) de.setVector(3, 3); else de.setVector(-3, 3); enemies.add(de); } if (currentAction == ATTACKING && animation.hasPlayedOnce()) { step++; currentAction = JUMPING; animation.setFrames(jumpSprites); animation.setDelay(-1); } } private void updateJump() { if (currentAction != JUMPING) { currentAction = JUMPING; animation.setFrames(jumpSprites); animation.setDelay(-1); } jumping = true; if (facingRight) left = true; else right = true; if (falling) { step++; } } private void updateIdle() { if (currentAction != IDLE) { currentAction = IDLE; animation.setFrames(idleSprites); animation.setDelay(-1); } attackTick++; if (attackTick >= attackDelay && Math.abs(player.getx() - x) < 60) { step++; attackTick = 0; } } @Override public void draw(Graphics2D g) { if (flinching && (flinchCount == 0 || flinchCount == 2)) { return; } super.draw(g); } }
3e1e8e1227a5808ba1a6b2863142035d97296f36
7,931
java
Java
modules/core/src/test/java/org/apache/ignite/internal/processors/cache/eviction/sorted/SortedEvictionPolicySelfTest.java
liyuj/gridgain
9505c0cfd7235210993b2871b17f15acf7d3dcd4
[ "CC0-1.0" ]
218
2015-01-04T13:20:55.000Z
2022-03-28T05:28:55.000Z
modules/core/src/test/java/org/apache/ignite/internal/processors/cache/eviction/sorted/SortedEvictionPolicySelfTest.java
liyuj/gridgain
9505c0cfd7235210993b2871b17f15acf7d3dcd4
[ "CC0-1.0" ]
175
2015-02-04T23:16:56.000Z
2022-03-28T18:34:24.000Z
modules/core/src/test/java/org/apache/ignite/internal/processors/cache/eviction/sorted/SortedEvictionPolicySelfTest.java
liyuj/gridgain
9505c0cfd7235210993b2871b17f15acf7d3dcd4
[ "CC0-1.0" ]
93
2015-01-06T20:54:23.000Z
2022-03-31T08:09:00.000Z
29.928302
102
0.572942
12,921
/* * Copyright 2019 GridGain Systems, Inc. and Contributors. * * Licensed under the GridGain Community Edition License (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.gridgain.com/products/software/community-edition/gridgain-community-edition-license * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.ignite.internal.processors.cache.eviction.sorted; import org.apache.ignite.cache.eviction.sorted.SortedEvictionPolicy; import org.apache.ignite.internal.processors.cache.eviction.EvictionAbstractTest; /** * Sorted eviction policy tests. */ public class SortedEvictionPolicySelfTest extends EvictionAbstractTest<SortedEvictionPolicy<String, String>> { /** {@inheritDoc} */ @Override protected void doTestPolicy() throws Exception { try { startGrid(); MockEntry e1 = new MockEntry("1", "1"); MockEntry e2 = new MockEntry("2", "2"); MockEntry e3 = new MockEntry("3", "3"); MockEntry e4 = new MockEntry("4", "4"); MockEntry e5 = new MockEntry("5", "5"); SortedEvictionPolicy<String, String> p = policy(); p.onEntryAccessed(false, e1); check(MockEntry.ENTRY_SIZE, p.queue(), e1); p.onEntryAccessed(false, e2); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e2); p.onEntryAccessed(false, e3); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e2, e3); assertFalse(e1.isEvicted()); assertFalse(e2.isEvicted()); assertFalse(e3.isEvicted()); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e2, e3); p.onEntryAccessed(false, e4); check(MockEntry.ENTRY_SIZE, p.queue(), e2, e3, e4); assertTrue(e1.isEvicted()); assertFalse(e2.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); p.onEntryAccessed(false, e5); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertTrue(e2.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e1 = new MockEntry("1", "1")); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertTrue(e1.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e5); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e1); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertTrue(e1.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e5); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(true, e3); check(MockEntry.ENTRY_SIZE, p.queue(), e4, e5); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(true, e4); check(MockEntry.ENTRY_SIZE, p.queue(), e5); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(true, e5); check(MockEntry.ENTRY_SIZE, p.queue()); assertFalse(e5.isEvicted()); info(p); } finally { stopAllGrids(); } } /** {@inheritDoc} */ @Override protected void doTestPolicyWithBatch() throws Exception { try { startGrid(); MockEntry e1 = new MockEntry("1", "1"); MockEntry e2 = new MockEntry("2", "2"); MockEntry e3 = new MockEntry("3", "3"); MockEntry e4 = new MockEntry("4", "4"); MockEntry e5 = new MockEntry("5", "5"); SortedEvictionPolicy<String, String> p = policy(); p.onEntryAccessed(false, e1); check(MockEntry.ENTRY_SIZE, p.queue(), e1); p.onEntryAccessed(false, e2); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e2); p.onEntryAccessed(false, e3); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e2, e3); p.onEntryAccessed(false, e4); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e2, e3, e4); assertFalse(e1.isEvicted()); assertFalse(e2.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); p.onEntryAccessed(false, e5); // Batch evicted. check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertTrue(e1.isEvicted()); assertTrue(e2.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e1 = new MockEntry("1", "1")); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e3, e4, e5); assertFalse(e1.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e5); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e3, e4, e5); assertFalse(e1.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(false, e1); check(MockEntry.ENTRY_SIZE, p.queue(), e1, e3, e4, e5); assertFalse(e1.isEvicted()); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(true, e1); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e4, e5); assertFalse(e3.isEvicted()); assertFalse(e4.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(true, e4); check(MockEntry.ENTRY_SIZE, p.queue(), e3, e5); assertFalse(e3.isEvicted()); assertFalse(e5.isEvicted()); p.onEntryAccessed(true, e5); check(MockEntry.ENTRY_SIZE, p.queue(), e3); assertFalse(e3.isEvicted()); p.onEntryAccessed(true, e3); check(MockEntry.ENTRY_SIZE, p.queue()); assertFalse(e3.isEvicted()); info(p); } finally { stopAllGrids(); } } /** {@inheritDoc} */ @Override protected SortedEvictionPolicy<String, String> createPolicy(int plcMax) { SortedEvictionPolicy<String, String> plc = new SortedEvictionPolicy<>(); plc.setMaxSize(this.plcMax); plc.setBatchSize(this.plcBatchSize); plc.setMaxMemorySize(this.plcMaxMemSize); return plc; } /** {@inheritDoc} */ @Override protected SortedEvictionPolicy<String, String> createNearPolicy(int nearMax) { SortedEvictionPolicy<String, String> plc = new SortedEvictionPolicy<>(); plc.setMaxSize(nearMax); plc.setBatchSize(plcBatchSize); return plc; } }
3e1e8e2a262737e2b9cf44170c7bd4aa8d171c40
11,599
java
Java
node-projects/src/main/java/org/netbeans/modules/nodejs/node/AddLibraryAction.java
JLLeitschuh/nb-nodejs
93692a416155777e57878458ae2ce0ef94a58420
[ "MIT" ]
36
2015-01-03T12:11:43.000Z
2021-01-11T20:37:40.000Z
node-projects/src/main/java/org/netbeans/modules/nodejs/node/AddLibraryAction.java
JLLeitschuh/nb-nodejs
93692a416155777e57878458ae2ce0ef94a58420
[ "MIT" ]
7
2015-02-19T21:10:04.000Z
2018-03-20T22:07:22.000Z
node-projects/src/main/java/org/netbeans/modules/nodejs/node/AddLibraryAction.java
JLLeitschuh/nb-nodejs
93692a416155777e57878458ae2ce0ef94a58420
[ "MIT" ]
1
2020-02-11T15:51:04.000Z
2020-02-11T15:51:04.000Z
46.396
252
0.53677
12,922
/* Copyright (C) 2012 Tim Boudreau Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ package org.netbeans.modules.nodejs.node; import java.awt.event.ActionEvent; import java.io.IOException; import java.nio.charset.Charset; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.HashSet; import java.util.LinkedHashMap; import java.util.List; import java.util.Map; import java.util.ResourceBundle; import java.util.Set; import java.util.concurrent.CountDownLatch; import java.util.concurrent.atomic.AtomicInteger; import java.util.logging.Level; import java.util.logging.Logger; import javax.swing.AbstractAction; import org.netbeans.api.extexecution.ExecutionDescriptor; import org.netbeans.api.extexecution.ExecutionService; import org.netbeans.api.extexecution.ExternalProcessBuilder; import org.netbeans.api.progress.ProgressHandle; import org.netbeans.modules.nodejs.NodeJSProject; import org.netbeans.modules.nodejs.NodeJSProjectFactory; import org.netbeans.modules.nodejs.Npm; import org.netbeans.modules.nodejs.ProjectMetadataImpl; import org.netbeans.modules.nodejs.libraries.LibrariesPanel; import org.netbeans.modules.nodejs.ui2.RootNode; import org.openide.DialogDescriptor; import org.openide.DialogDisplayer; import org.openide.filesystems.FileObject; import org.openide.filesystems.FileUtil; import org.openide.nodes.Node; import org.openide.util.Exceptions; import org.openide.util.NbBundle; import org.openide.util.RequestProcessor; /** * * @author tim */ public class AddLibraryAction extends AbstractAction { private final NodeJSProject project; private final RootNode root; public AddLibraryAction ( ResourceBundle bundle, NodeJSProject project, RootNode root ) { putValue( NAME, bundle.getString( "LBL_AddLibrary_Name" ) ); //NOI18N this.project = project; this.root = root; } @Override public void actionPerformed ( ActionEvent e ) { LibrariesPanel pn = new LibrariesPanel( project ); DialogDescriptor dd = new DialogDescriptor( pn, NbBundle.getMessage( NodeJSProject.class, "SEARCH_FOR_LIBRARIES" ) ); //NOI18N if (DialogDisplayer.getDefault().notify( dd ).equals( DialogDescriptor.OK_OPTION )) { final Set<String> libraries = new HashSet<>( pn.getLibraries() ); if (libraries.size() > 0) { final String npmPath = Npm.getDefault().exe(); final AtomicInteger jobs = new AtomicInteger(); final ProgressHandle h = ProgressHandle.createHandle( NbBundle.getMessage( AddLibraryAction.class, "MSG_RUNNING_NPM", libraries.size(), project.getDisplayName() ) ); //NOI18N RequestProcessor.getDefault().post( new Runnable() { @Override public void run () { final int totalLibs = libraries.size(); try { h.start( totalLibs * 2 ); for (String lib : libraries) { int job = jobs.incrementAndGet(); ExternalProcessBuilder epb = new ExternalProcessBuilder( npmPath ) //NOI18N .addArgument( "install" ) //NOI18N .addArgument( lib ) .workingDirectory( FileUtil.toFile( project.getProjectDirectory() ) ); final String libraryName = lib; ExecutionDescriptor des = new ExecutionDescriptor().controllable( true ).showProgress( true ).showSuspended( true ).frontWindow( false ).controllable( true ).optionsPath( "Advanced/Node" ).postExecution( new Runnable() { @Override public void run () { try { int ct = jobs.decrementAndGet(); if (ct == 0) { try { project.getProjectDirectory().refresh(); FileObject fo = project.getProjectDirectory().getFileObject( NodeJSProjectFactory.NODE_MODULES_FOLDER ); if (fo != null && fo.isValid()) { fo.refresh(); } root.updateChildren(); } finally { h.finish(); } } else { h.progress( NbBundle.getMessage( ProjectNodeKey.class, "PROGRESS_LIBS_REMAINING", totalLibs - ct ), totalLibs - ct ); //NOI18N h.setDisplayName( libraryName ); } } finally { List<LibraryAndVersion> l = libraries( project ); updateDependencies( project, l ); } } } ).charset( Charset.forName( "UTF-8" ) ).frontWindowOnError( true ); //NOI18N ExecutionService service = ExecutionService.newService( epb, des, lib ); service.run(); } } finally { h.finish(); } } } ); } } } static synchronized List<LibraryAndVersion> updateDependencies ( NodeJSProject prj, List<LibraryAndVersion> onDisk, String... remove ) { List<LibraryAndVersion> l = new ArrayList<>(); ProjectMetadataImpl metadata = prj.metadata(); Set<String> toRemove = new HashSet<>( Arrays.<String>asList( remove ) ); if (metadata != null) { Map<String, Object> deps = metadata.getMap( "dependencies" ); if (deps != null) { for (Map.Entry<String, Object> e : deps.entrySet()) { if (toRemove.contains( e.getKey() )) { continue; } if (e.getValue() instanceof String) { String ver = (String) e.getValue(); LibraryAndVersion dep = new LibraryAndVersion( e.getKey(), ver ); l.add( dep ); } } } for (LibraryAndVersion v : onDisk) { if (!l.contains( v )) { if (v.version != null) { // if (!v.version.startsWith( ">" ) && !v.version.startsWith( "=" ) && !v.version.startsWith( "<" ) && !v.version.startsWith( "~" )) { //NOI18N // v.version = ">=" + v.version; // } l.add( v ); } } } Collections.sort( l ); LinkedHashMap<String, Object> map = new LinkedHashMap<>(); for (LibraryAndVersion lib : l) { map.put( lib.name, lib.version ); } Map<String, Object> m = metadata.getMap(); m.put( "dependencies", map ); try { metadata.save(); } catch ( IOException ex ) { Exceptions.printStackTrace( ex ); } } else { System.out.println( "project metadata was null" ); } return l; } public static final class LibraryAndVersion implements Comparable<LibraryAndVersion> { public String name; public String version; public LibraryAndVersion () { } public LibraryAndVersion ( String name, String version ) { this.name = name; this.version = version; } @Override public int compareTo ( LibraryAndVersion o ) { return name.compareToIgnoreCase( o.name ); } @Override public boolean equals ( Object o ) { return o instanceof LibraryAndVersion && name.equals( ((LibraryAndVersion) o).name ); } @Override public int hashCode () { return name.hashCode(); } public String toString () { return name + " " + version; } public void writeInto ( Map<String, Object> m ) { m.put( name, version ); } } static List<LibraryAndVersion> libraries ( NodeJSProject prj ) { // This is really backwards, and we should have a model of libraries // represented by nodes, rather than a model of nodes from which we // derive libraries. Ah, expediency. List<LibraryAndVersion> result = new ArrayList<>(); List<ProjectNodeKey> keys = new ArrayList<>(); LibrariesChildFactory f = new LibrariesChildFactory( prj ); f.createKeys( keys ); Map<LibraryFilterNode, CountDownLatch> latches = new LinkedHashMap<>(); for (ProjectNodeKey k : keys) { CountDownLatch latch = new CountDownLatch( 1 ); Node n = f.node( k, latch ); if (n instanceof LibraryFilterNode) { LibraryFilterNode ln = (LibraryFilterNode) n; if (ln.getKey().getType() == ProjectNodeKeyTypes.LIBRARY && ln.getKey().isDirect()) { latches.put( ln, latch ); } } } for (Map.Entry<LibraryFilterNode, CountDownLatch> e : latches.entrySet()) { try { e.getValue().await(); String name = e.getKey().getName(); String ver = e.getKey().getVersion(); if (name != null && ver != null) { result.add( new LibraryAndVersion( name, ver ) ); } } catch ( InterruptedException ex ) { Logger.getLogger( AddLibraryAction.class.getName() ).log( Level.FINE, "Interrupted waiting", ex ); } } return result; } }
3e1e8e9f00cadda98c708d6db33b500feb21cc97
3,015
java
Java
examples/spark/src/test/java/edu/snu/nemo/examples/spark/SparkScala.java
wonook/incubator-nemo
435a2740a1760e091f5b98b40c69820965108fc0
[ "Apache-2.0" ]
null
null
null
examples/spark/src/test/java/edu/snu/nemo/examples/spark/SparkScala.java
wonook/incubator-nemo
435a2740a1760e091f5b98b40c69820965108fc0
[ "Apache-2.0" ]
11
2019-08-15T16:08:29.000Z
2019-08-24T08:46:15.000Z
examples/spark/src/test/java/edu/snu/nemo/examples/spark/SparkScala.java
wonook/incubator-nemo
435a2740a1760e091f5b98b40c69820965108fc0
[ "Apache-2.0" ]
null
null
null
37.222222
109
0.751575
12,923
/* * Copyright (C) 2018 Seoul National University * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package edu.snu.nemo.examples.spark; import edu.snu.nemo.client.JobLauncher; import edu.snu.nemo.common.test.ArgBuilder; import edu.snu.nemo.common.test.ExampleTestUtil; import edu.snu.nemo.compiler.optimizer.policy.DefaultPolicy; import org.junit.Before; import org.junit.Test; import org.junit.runner.RunWith; import org.powermock.core.classloader.annotations.PowerMockIgnore; import org.powermock.core.classloader.annotations.PrepareForTest; import org.powermock.modules.junit4.PowerMockRunner; /** * Test Spark programs with JobLauncher. */ @RunWith(PowerMockRunner.class) @PrepareForTest(JobLauncher.class) @PowerMockIgnore("javax.management.*") public final class SparkScala { private static final int TIMEOUT = 120000; private static ArgBuilder builder; private static final String fileBasePath = System.getProperty("user.dir") + "/../resources/"; private static final String executorResourceFileName = fileBasePath + "spark_test_executor_resources.json"; @Before public void setUp() { builder = new ArgBuilder() .addResourceJson(executorResourceFileName); } @Test(timeout = TIMEOUT) public void testPi() throws Exception { final String numParallelism = "3"; JobLauncher.main(builder .addJobId(SparkPi.class.getSimpleName() + "_test") .addUserMain(SparkPi.class.getCanonicalName()) .addUserArgs(numParallelism) .addOptimizationPolicy(DefaultPolicy.class.getCanonicalName()) .build()); } @Test(timeout = TIMEOUT) public void testWordCount() throws Exception { final String inputFileName = "test_input_wordcount_spark"; final String outputFileName = "test_output_wordcount_spark"; final String expectedOutputFilename = "expected_output_wordcount_spark"; final String inputFilePath = fileBasePath + inputFileName; final String outputFilePath = fileBasePath + outputFileName; JobLauncher.main(builder .addJobId(SparkWordCount.class.getSimpleName() + "_test") .addUserMain(SparkWordCount.class.getCanonicalName()) .addUserArgs(inputFilePath, outputFilePath) .addOptimizationPolicy(DefaultPolicy.class.getCanonicalName()) .build()); try { ExampleTestUtil.ensureOutputValidity(fileBasePath, outputFileName, expectedOutputFilename); } finally { ExampleTestUtil.deleteOutputFile(fileBasePath, outputFileName); } } }
3e1e8f9b3f1b060a8460ecc1fe100f51203f066d
3,669
java
Java
cdi/src/main/java/org/eclipse/odi/cdi/context/AbstractContext.java
eclipse-ee4j/odi
acc25fa4eaf35660437fc86c3aea2861135af006
[ "Apache-2.0" ]
5
2022-01-24T19:38:51.000Z
2022-03-11T16:32:14.000Z
cdi/src/main/java/org/eclipse/odi/cdi/context/AbstractContext.java
eclipse-ee4j/odi
acc25fa4eaf35660437fc86c3aea2861135af006
[ "Apache-2.0" ]
4
2021-12-13T19:27:25.000Z
2022-03-17T06:49:41.000Z
cdi/src/main/java/org/eclipse/odi/cdi/context/AbstractContext.java
eclipse-ee4j/odi
acc25fa4eaf35660437fc86c3aea2861135af006
[ "Apache-2.0" ]
1
2021-12-13T18:42:07.000Z
2021-12-13T18:42:07.000Z
29.119048
88
0.644045
12,924
/* * Copyright (c) 2022 Oracle and/or its affiliates. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.eclipse.odi.cdi.context; import org.eclipse.odi.cdi.OdiBean; import io.micronaut.core.annotation.Internal; import jakarta.enterprise.context.ContextNotActiveException; import jakarta.enterprise.context.spi.AlterableContext; import jakarta.enterprise.context.spi.Contextual; import jakarta.enterprise.context.spi.CreationalContext; import java.util.Map; import java.util.concurrent.ConcurrentHashMap; /** * Simple {@link AlterableContext} context. */ @Internal public abstract class AbstractContext implements AlterableContext { private final Map<Contextual<?>, Entry> storage = new ConcurrentHashMap<>(); private boolean active = true; @Override public <T> T get(Contextual<T> contextual, CreationalContext<T> creationalContext) { chechIfActive(); contextual = unwrapProxy(contextual); T instance = get(contextual); if (instance == null) { instance = contextual.create(creationalContext); storage.put(contextual, new Entry<>(creationalContext, instance)); } return instance; } @Override @SuppressWarnings("unchecked") public <T> T get(Contextual<T> contextual) { chechIfActive(); contextual = unwrapProxy(contextual); Entry<T> entry = storage.get(contextual); if (entry != null) { return entry.instance; } return null; } private <T> Contextual<T> unwrapProxy(Contextual<T> contextual) { if (contextual instanceof OdiBean) { OdiBean<T> bean = (OdiBean<T>) contextual; if (bean.isProxy()) { contextual = bean.getProxyTargetBean(); } } return contextual; } private void chechIfActive() { if (!active) { throw new ContextNotActiveException("Context not active!"); } } @Override public boolean isActive() { return active; } @Override @SuppressWarnings("unchecked") public void destroy(Contextual<?> contextual) { Entry entry = storage.remove(contextual); if (entry != null) { @SuppressWarnings("rawtypes") Contextual rawContextual = contextual; rawContextual.destroy(entry.instance, entry.creationalContext); } } /** * Destroy the context. */ public void destroy() { storage.values().forEach(e -> e.creationalContext.release()); storage.clear(); active = false; } /** * Deactivate the context. */ public void deactivate() { active = false; } /** * Activate the context. */ public void activate() { active = true; } private static final class Entry<T> { private final CreationalContext<T> creationalContext; private final T instance; private Entry(CreationalContext<T> creationalContext, T instance) { this.creationalContext = creationalContext; this.instance = instance; } } }
3e1e8fad91f18bcd64d7ced845046382de5b3e96
1,719
java
Java
tech16/FingerprintManagerCompatSample/Application/src/main/java/com/example/android/asymmetricfingerprintdialog/server/StoreBackend.java
Android-MMizogaki/MMizogaki-AndroidSample
94429b58c74be8576a600878d24fe4dbc2275816
[ "MIT" ]
null
null
null
tech16/FingerprintManagerCompatSample/Application/src/main/java/com/example/android/asymmetricfingerprintdialog/server/StoreBackend.java
Android-MMizogaki/MMizogaki-AndroidSample
94429b58c74be8576a600878d24fe4dbc2275816
[ "MIT" ]
null
null
null
tech16/FingerprintManagerCompatSample/Application/src/main/java/com/example/android/asymmetricfingerprintdialog/server/StoreBackend.java
Android-MMizogaki/MMizogaki-AndroidSample
94429b58c74be8576a600878d24fe4dbc2275816
[ "MIT" ]
null
null
null
39.068182
98
0.657359
12,925
package com.example.android.asymmetricfingerprintdialog.server; import java.security.PublicKey; /** * バックエンドのインtフェース定義です。 */ public interface StoreBackend { /** * クライアントから送られてきた購入トランザクションが、ユーザーIDに紐づく秘密鍵で署名されているか検証します。 * * @param transaction the contents of the purchase transaction, its contents are * signed * by the * private key in the client side. * @param transactionSignature the signature of the transaction's contents. * @return true if the signedSignature was verified, false otherwise. If this method returns * true, the server can consider the transaction is successful. */ boolean verify(Transaction transaction, byte[] transactionSignature); /** * クライアントから送られてきた購入トランザクションをパスワードによって検証します。 * * @param transaction the contents of the purchase transaction, its contents are signed by the * private key in the client side. * @param password the password for the user associated with the {@code transaction}. * @return true if the password is verified. */ boolean verify(Transaction transaction, String password); /** * ユーザーに紐づく公開鍵を登録します。 * * @param userId the unique ID of the user within the app including server side * implementation * @param password the password for the user for the server side * @param publicKey the public key object to verify the signature from the user * @return true if the enrollment was successful, false otherwise */ boolean enroll(String userId, String password, PublicKey publicKey); }
3e1e90a221d1ac5ea35d6dbdcfc3d3b3239c939a
5,258
java
Java
src/test/java/seedu/address/testutil/TypicalTransactions.java
phmignot/addressbook-level4
8f26f84014fec082f26654795a3d2a0f51a1c879
[ "MIT" ]
null
null
null
src/test/java/seedu/address/testutil/TypicalTransactions.java
phmignot/addressbook-level4
8f26f84014fec082f26654795a3d2a0f51a1c879
[ "MIT" ]
null
null
null
src/test/java/seedu/address/testutil/TypicalTransactions.java
phmignot/addressbook-level4
8f26f84014fec082f26654795a3d2a0f51a1c879
[ "MIT" ]
null
null
null
45.721739
104
0.674211
12,926
package seedu.address.testutil; import java.util.ArrayList; import java.util.Arrays; import java.util.Date; import java.util.List; import seedu.address.commons.exceptions.IllegalValueException; import seedu.address.logic.commands.exceptions.CommandException; import seedu.address.model.AddressBook; import seedu.address.model.person.Person; import seedu.address.model.person.UniquePersonList; import seedu.address.model.person.exceptions.DuplicatePersonException; import seedu.address.model.transaction.SplitMethod; import seedu.address.model.transaction.Transaction; import seedu.address.model.util.SampleDataUtil; //@@author ongkc /** * A utility class containing a list of {@code Transaction} objects to be used in tests. */ public class TypicalTransactions { private static Transaction t1 = null; private static Transaction t2 = null; private static Transaction t3 = null; private static Transaction t4 = null; private static Transaction t5 = null; private static Transaction t6 = null; private static Transaction t7 = null; private static Person person1 = SampleDataUtil.getSamplePersons()[0]; private static Person person2 = SampleDataUtil.getSamplePersons()[1]; private static Person person3 = SampleDataUtil.getSamplePersons()[2]; private static Person person4 = SampleDataUtil.getSamplePersons()[3]; private static Person person5 = SampleDataUtil.getSamplePersons()[4]; private static Person person6 = SampleDataUtil.getSamplePersons()[5]; private static UniquePersonList payee2 = new UniquePersonList(); private static UniquePersonList payee4 = new UniquePersonList(); private static UniquePersonList payee6 = new UniquePersonList(); private static UniquePersonList payeeGeorge = new UniquePersonList(); private static UniquePersonList payeeFiona = new UniquePersonList(); private static Date date = new Date(); private static SplitMethod splitEvenly = new SplitMethod(SplitMethod.SPLIT_METHOD_EVENLY); private static SplitMethod splitByUnits = new SplitMethod(SplitMethod.SPLIT_METHOD_UNITS); private static SplitMethod splitByPercentage = new SplitMethod(SplitMethod.SPLIT_METHOD_PERCENTAGE); private static List<Integer> unitsList = new ArrayList<Integer>(Arrays.asList(1, 2, 3)); private static List<Integer> percentagesList = new ArrayList<Integer>(Arrays.asList(25, 30, 45)); static { try { payee2.add(person2); payee4.add(person4); payee6.add(person6); payeeGeorge.add(TypicalPersons.GEORGE); payeeFiona.add(TypicalPersons.FIONA); t1 = new TransactionBuilder().withPayer(person1).withAmount("12345.00") .withDescription("Boat trip").withDate(date) .withSplitMethod("evenly").build(); t2 = new TransactionBuilder().withPayer(person3).withAmount("0") .withDescription("Food for barbecue") .withSplitMethod("units").withUnits("1, 2, 3").withDate(date).build(); t3 = new TransactionBuilder().withPayer(person5).withAmount("0.00") .withDescription("Open air concert") .withSplitMethod("percentage").withPercentages("20, 20, 60").withDate(date).build(); t4 = new TransactionBuilder().withPayer(TypicalPersons.GEORGE).withAmount("0.00") .withDescription("Transport") .withSplitMethod("evenly").withDate(date).build(); t5 = new TransactionBuilder().withPayer(TypicalPersons.FIONA) .withAmount("0.00").withDescription("Dinner") .withDate(date) .withSplitMethod("evenly").withDate(date).build(); t6 = new TransactionBuilder().withPayer(person5).withAmount("1234.00") .withDescription("Food for barbecue") .withSplitMethod("units").withUnits("1, 2, 3").withDate(date).build(); t7 = new TransactionBuilder().withPayer(person5).withAmount("1234.00") .withDescription("Open air concert") .withSplitMethod("percentage").withPercentages("20, 20, 60").withDate(date).build(); } catch (DuplicatePersonException dpe) { dpe.printStackTrace(); } catch (IllegalValueException e) { e.printStackTrace(); } } private TypicalTransactions() { } // prevents instantiation /** * Returns an {@code AddressBook} with all the typical persons. */ public static AddressBook getTypicalAddressBook() { AddressBook ab = new AddressBook(); for (Transaction transaction : getTypicalTransactions()) { try { ab.addTransaction(transaction); } catch (CommandException ce) { System.out.println(ce.getMessage()); } } return ab; } public static List<Transaction> getTypicalTransactions() { return new ArrayList<>(Arrays.asList(t1, t2, t3, t4, t5, t6, t7)); } public static List<UniquePersonList> getTypicalPayees() { return new ArrayList<>(Arrays.asList(payee2, payee4, payee6, payeeGeorge, payeeFiona)); } }
3e1e934321226ae75f147be5cae6946cd1ad8b2c
976
java
Java
vendor/chromium/base/android/java/src/org/chromium/base/task/SerialExecutor.java
MichaelCoding25/fivem
33e953cf1661db74f1f890f87563417d74989142
[ "MIT" ]
14,668
2015-01-01T01:57:10.000Z
2022-03-31T23:33:32.000Z
vendor/chromium/base/android/java/src/org/chromium/base/task/SerialExecutor.java
MichaelCoding25/fivem
33e953cf1661db74f1f890f87563417d74989142
[ "MIT" ]
802
2017-04-21T14:18:36.000Z
2022-03-31T21:20:48.000Z
vendor/chromium/base/android/java/src/org/chromium/base/task/SerialExecutor.java
MichaelCoding25/fivem
33e953cf1661db74f1f890f87563417d74989142
[ "MIT" ]
5,941
2015-01-02T11:32:21.000Z
2022-03-31T16:35:46.000Z
26.378378
73
0.570697
12,927
// Copyright 2018 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. package org.chromium.base.task; import java.util.ArrayDeque; import java.util.concurrent.Executor; class SerialExecutor implements Executor { final ArrayDeque<Runnable> mTasks = new ArrayDeque<Runnable>(); Runnable mActive; @Override public synchronized void execute(final Runnable r) { mTasks.offer(new Runnable() { @Override public void run() { try { r.run(); } finally { scheduleNext(); } } }); if (mActive == null) { scheduleNext(); } } protected synchronized void scheduleNext() { if ((mActive = mTasks.poll()) != null) { AsyncTask.THREAD_POOL_EXECUTOR.execute(mActive); } } }
3e1e94a1529808ca81a7cdfc6ae6cd0af033df48
2,289
java
Java
webauthn4j-core/src/main/java/com/webauthn4j/data/PublicKeyCredentialType.java
bedrin/webauthn4j
3fca0530ddd1760a665f0617a2d6ca44db9f4612
[ "Apache-2.0" ]
null
null
null
webauthn4j-core/src/main/java/com/webauthn4j/data/PublicKeyCredentialType.java
bedrin/webauthn4j
3fca0530ddd1760a665f0617a2d6ca44db9f4612
[ "Apache-2.0" ]
null
null
null
webauthn4j-core/src/main/java/com/webauthn4j/data/PublicKeyCredentialType.java
bedrin/webauthn4j
3fca0530ddd1760a665f0617a2d6ca44db9f4612
[ "Apache-2.0" ]
null
null
null
33.173913
114
0.701616
12,928
/* * Copyright 2018 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.webauthn4j.data; import com.fasterxml.jackson.annotation.JsonCreator; import com.fasterxml.jackson.annotation.JsonValue; import com.fasterxml.jackson.databind.exc.InvalidFormatException; import java.io.Serializable; /** * {@link PublicKeyCredentialType} defines the valid credential types. It is an extension point; * values can be added to it in the future, as more credential types are defined. * The values of this enumeration are used for versioning the Authentication Assertion and attestation structures * according to the type of the authenticator. * * @see <a href="https://www.w3.org/TR/webauthn-1/#credentialType"> * §5.10.2. Credential Type Enumeration (enum PublicKeyCredentialType)</a> */ public enum PublicKeyCredentialType implements Serializable { PUBLIC_KEY("public-key"); private String value; PublicKeyCredentialType(String value) { this.value = value; } public static PublicKeyCredentialType create(String value) { if (value == null) { return null; } if ("public-key".equals(value)) { return PUBLIC_KEY; } else { throw new IllegalArgumentException("value '" + value + "' is out of range"); } } @JsonCreator private static PublicKeyCredentialType deserialize(String value) throws InvalidFormatException { try { return create(value); } catch (IllegalArgumentException e) { throw new InvalidFormatException(null, "value is out of range", value, PublicKeyCredentialType.class); } } @JsonValue public String getValue() { return value; } }
3e1e94b82b7cce36cd2ed5b07598505f6dcd4eb4
2,738
java
Java
src/github/org/evolutionarycode/elevens/Card.java
EvolutionaryCode/ElevensLab
2e60a681f36ad38192af66962152276a37fb3b40
[ "MIT" ]
null
null
null
src/github/org/evolutionarycode/elevens/Card.java
EvolutionaryCode/ElevensLab
2e60a681f36ad38192af66962152276a37fb3b40
[ "MIT" ]
null
null
null
src/github/org/evolutionarycode/elevens/Card.java
EvolutionaryCode/ElevensLab
2e60a681f36ad38192af66962152276a37fb3b40
[ "MIT" ]
null
null
null
28.226804
78
0.571585
12,929
package github.org.evolutionarycode.elevens; /** * Card.java * * <code>Card</code> represents a playing card. */ public class Card { /** * String value that holds the suit of the card */ private String suit; /** * String value that holds the rank of the card */ private String rank; /** * int value that holds the point value. */ private int pointValue; /** * Creates a new <code>Card</code> instance. * * @param cardRank a <code>String</code> value * containing the rank of the card * @param cardSuit a <code>String</code> value * containing the suit of the card * @param cardPointValue an <code>int</code> value * containing the point value of the card */ public Card(String cardRank, String cardSuit, int cardPointValue) { //initializes a new Card with the given rank, suit, and point value rank = cardRank; suit = cardSuit; pointValue = cardPointValue; } /** * Accesses this <code>Card's</code> suit. * @return this <code>Card's</code> suit. */ public String suit() { //Return the Cards Suit return suit; } /** * Accesses this <code>Card's</code> rank. * @return this <code>Card's</code> rank. */ public String rank() { //Return the Cards Rank return rank; } /** * Accesses this <code>Card's</code> point value. * @return this <code>Card's</code> point value. */ public int pointValue() { //Returns the Cards PointValue return pointValue; } /** Compare this card with the argument. * @param otherCard the other card to compare to this * @return true if the rank, suit, and point value of this card * are equal to those of the argument; * false otherwise. */ public boolean matches(Card otherCard) { return otherCard.suit().equals(this.suit()) && otherCard.rank().equals(this.rank()) && otherCard.pointValue() == this.pointValue(); } /** * Converts the rank, suit, and point value into a string in the format * "[Rank] of [Suit] (point value = [PointValue])". * This provides a useful way of printing the contents * of a <code>Deck</code> in an easily readable format or performing * other similar functions. * * @return a <code>String</code> containing the rank, suit, * and point value of the card. */ @Override public String toString() { return rank + " of " + suit + " (point value = " + pointValue + ") "; } }
3e1e96030ced0ebe2c35741dd3d6fcb74a709fe8
181
java
Java
src/model/node/syntax/ListEnd.java
jeremydanielfox/simple_logo
d3cb9d022a668e502753c00b3233e8cecce819e1
[ "MIT" ]
null
null
null
src/model/node/syntax/ListEnd.java
jeremydanielfox/simple_logo
d3cb9d022a668e502753c00b3233e8cecce819e1
[ "MIT" ]
null
null
null
src/model/node/syntax/ListEnd.java
jeremydanielfox/simple_logo
d3cb9d022a668e502753c00b3233e8cecce819e1
[ "MIT" ]
null
null
null
12.928571
37
0.552486
12,930
package model.node.syntax; public class ListEnd extends Syntax { public ListEnd (){ } @Override public String toString () { return "] "; } }
3e1e96f54aefa19eb25d1f551bf886296ba2fedd
262
java
Java
Object-Oriented-Paradigm/Lab-3/Lab-3-Scenario/Question-1/driver.java
hstr2785/CS
d1eaec5413887c8e271f598d41ef6ccd565c5ac8
[ "MIT" ]
null
null
null
Object-Oriented-Paradigm/Lab-3/Lab-3-Scenario/Question-1/driver.java
hstr2785/CS
d1eaec5413887c8e271f598d41ef6ccd565c5ac8
[ "MIT" ]
1
2020-09-25T17:04:57.000Z
2020-09-25T17:04:57.000Z
Object-Oriented-Paradigm/Lab-3/Lab-3-Scenario/Question-1/driver.java
hstr2785/CS
d1eaec5413887c8e271f598d41ef6ccd565c5ac8
[ "MIT" ]
2
2020-10-01T05:01:38.000Z
2020-10-01T08:11:50.000Z
17.466667
42
0.69084
12,931
package Oneanonly; import java.util.Scanner; public class driver { public static void main(String args[]) { Scanner sc=new Scanner(System.in); int n=sc.nextInt(); Tree te=new Tree(); te.setheight(1); System.out.println(te.currentHeight(n)); } }
3e1e96fbd0312e965f610b78b1fc54cc74b3058a
1,627
java
Java
Web/Engine/SDMImprovedFacade/CustomerJsonObject.java
tomerguttman/SDMarket
856773787f8734bce8a0b322edad4dd41ac813db
[ "MIT" ]
4
2020-11-23T11:34:43.000Z
2022-01-11T15:51:15.000Z
Web/sdmarket-war-ready/Engine/SDMImprovedFacade/CustomerJsonObject.java
tomerguttman/SDMarket
856773787f8734bce8a0b322edad4dd41ac813db
[ "MIT" ]
1
2020-09-16T11:01:29.000Z
2020-09-16T11:01:29.000Z
Web/Engine/SDMImprovedFacade/CustomerJsonObject.java
tomerguttman/SDMarket
856773787f8734bce8a0b322edad4dd41ac813db
[ "MIT" ]
2
2020-08-25T09:31:00.000Z
2020-11-03T16:28:44.000Z
28.051724
135
0.693915
12,932
package SDMImprovedFacade; import java.util.List; public class CustomerJsonObject extends UserJsonObject { private final String userName; private double currentBalance; private int totalOrders; private double averageOrdersCost; private String mostLovedItem; public CustomerJsonObject(List<Zone> systemZones, List<Transaction> userTransactions, List<User> otherUsers, double currentBalance, int totalOrders, double averageOrdersCost, String mostLovedItem, String userName) { super(systemZones, userTransactions, otherUsers); this.currentBalance = currentBalance; this.totalOrders = totalOrders; this.averageOrdersCost = averageOrdersCost; this.mostLovedItem = mostLovedItem; this.userName = userName; } public double getCurrentBalance() { return currentBalance; } public void setCurrentBalance(double currentBalance) { this.currentBalance = currentBalance; } public int getTotalOrders() { return totalOrders; } public void setTotalOrders(int totalOrders) { this.totalOrders = totalOrders; } public String getUserName() { return userName; } public double getAverageOrdersCost() { return averageOrdersCost; } public void setAverageOrdersCost(double averageOrdersCost) { this.averageOrdersCost = averageOrdersCost; } public String getMostLovedItem() { return mostLovedItem; } public void setMostLovedItem(String mostLovedItem) { this.mostLovedItem = mostLovedItem; } }
3e1e9847867b665bc806616116cc000437a9897e
146
java
Java
larkmidtable-web/admin/src/main/java/com/larkmidtable/admin/dto/VersionColumn.java
zyclove/LarkMidTable
8a52757caf9174d8b90ae96ddfc224730b293486
[ "Apache-2.0" ]
107
2022-02-23T10:36:25.000Z
2022-03-31T09:35:14.000Z
larkmidtable-web/admin/src/main/java/com/larkmidtable/admin/dto/VersionColumn.java
aa1280883318/LarkMidTable
8fe17c95d80f7bf7b01936939f5052bce7f9e424
[ "Apache-2.0" ]
15
2022-02-23T14:09:46.000Z
2022-03-26T00:23:20.000Z
larkmidtable-web/admin/src/main/java/com/larkmidtable/admin/dto/VersionColumn.java
aa1280883318/LarkMidTable
8fe17c95d80f7bf7b01936939f5052bce7f9e424
[ "Apache-2.0" ]
33
2022-02-28T12:52:43.000Z
2022-03-29T09:32:21.000Z
12.166667
35
0.760274
12,933
package com.larkmidtable.admin.dto; import lombok.Data; @Data public class VersionColumn { private Integer index; private String value; }
3e1e98cb45f08ba376a70d90cccf4e0253398a77
11,248
java
Java
awacs-component/awacs-fernflower-component/src/main/java/io/awacs/component/org/jetbrains/java/decompiler/modules/decompiler/deobfuscator/ExceptionDeobfuscator.java
netlomin/awacs
efb2beca9f02ec8a193438f4efd39f9eabe8d3df
[ "Apache-2.0" ]
25
2016-10-13T15:29:17.000Z
2016-11-22T06:52:05.000Z
awacs-component/awacs-fernflower-component/src/main/java/io/awacs/component/org/jetbrains/java/decompiler/modules/decompiler/deobfuscator/ExceptionDeobfuscator.java
netlomin/awacs
efb2beca9f02ec8a193438f4efd39f9eabe8d3df
[ "Apache-2.0" ]
7
2017-02-07T04:26:34.000Z
2017-03-22T16:31:23.000Z
awacs-component/awacs-fernflower-component/src/main/java/io/awacs/component/org/jetbrains/java/decompiler/modules/decompiler/deobfuscator/ExceptionDeobfuscator.java
netlomin/awacs
efb2beca9f02ec8a193438f4efd39f9eabe8d3df
[ "Apache-2.0" ]
10
2017-11-07T13:58:05.000Z
2019-09-04T11:56:30.000Z
33.981873
137
0.615576
12,934
/* * Copyright 2000-2014 JetBrains s.r.o. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package io.awacs.component.org.jetbrains.java.decompiler.modules.decompiler.deobfuscator; import io.awacs.component.org.jetbrains.java.decompiler.modules.decompiler.decompose.GenericDominatorEngine; import io.awacs.component.org.jetbrains.java.decompiler.util.InterpreterUtil; import io.awacs.component.org.jetbrains.java.decompiler.code.CodeConstants; import io.awacs.component.org.jetbrains.java.decompiler.code.Instruction; import io.awacs.component.org.jetbrains.java.decompiler.code.InstructionSequence; import io.awacs.component.org.jetbrains.java.decompiler.code.SimpleInstructionSequence; import io.awacs.component.org.jetbrains.java.decompiler.code.cfg.BasicBlock; import io.awacs.component.org.jetbrains.java.decompiler.code.cfg.ControlFlowGraph; import io.awacs.component.org.jetbrains.java.decompiler.code.cfg.ExceptionRangeCFG; import io.awacs.component.org.jetbrains.java.decompiler.modules.decompiler.decompose.IGraph; import io.awacs.component.org.jetbrains.java.decompiler.modules.decompiler.decompose.IGraphNode; import java.util.*; import java.util.Map.Entry; public class ExceptionDeobfuscator { private static class Range { private final BasicBlock handler; private final String uniqueStr; private final Set<BasicBlock> protectedRange; private final ExceptionRangeCFG rangeCFG; private Range(BasicBlock handler, String uniqueStr, Set<BasicBlock> protectedRange, ExceptionRangeCFG rangeCFG) { this.handler = handler; this.uniqueStr = uniqueStr; this.protectedRange = protectedRange; this.rangeCFG = rangeCFG; } } public static void restorePopRanges(ControlFlowGraph graph) { List<Range> lstRanges = new ArrayList<>(); // aggregate ranges for (ExceptionRangeCFG range : graph.getExceptions()) { boolean found = false; for (Range arr : lstRanges) { if (arr.handler == range.getHandler() && InterpreterUtil.equalObjects(range.getUniqueExceptionsString(), arr.uniqueStr)) { arr.protectedRange.addAll(range.getProtectedRange()); found = true; break; } } if (!found) { // doesn't matter, which range chosen lstRanges.add(new Range(range.getHandler(), range.getUniqueExceptionsString(), new HashSet<>(range.getProtectedRange()), range)); } } // process aggregated ranges for (Range range : lstRanges) { if (range.uniqueStr != null) { BasicBlock handler = range.handler; InstructionSequence seq = handler.getSeq(); Instruction firstinstr; if (seq.length() > 0) { firstinstr = seq.getInstr(0); if (firstinstr.opcode == CodeConstants.opc_pop || firstinstr.opcode == CodeConstants.opc_astore) { Set<BasicBlock> setrange = new HashSet<>(range.protectedRange); for (Range range_super : lstRanges) { // finally or strict superset if (range != range_super) { Set<BasicBlock> setrange_super = new HashSet<>(range_super.protectedRange); if (!setrange.contains(range_super.handler) && !setrange_super.contains(handler) && (range_super.uniqueStr == null || setrange_super.containsAll(setrange))) { if (range_super.uniqueStr == null) { setrange_super.retainAll(setrange); } else { setrange_super.removeAll(setrange); } if (!setrange_super.isEmpty()) { BasicBlock newblock = handler; // split the handler if (seq.length() > 1) { newblock = new BasicBlock(++graph.last_id); InstructionSequence newseq = new SimpleInstructionSequence(); newseq.addInstruction(firstinstr.clone(), -1); newblock.setSeq(newseq); graph.getBlocks().addWithKey(newblock, newblock.id); List<BasicBlock> lstTemp = new ArrayList<>(); lstTemp.addAll(handler.getPreds()); lstTemp.addAll(handler.getPredExceptions()); // replace predecessors for (BasicBlock pred : lstTemp) { pred.replaceSuccessor(handler, newblock); } // replace handler for (ExceptionRangeCFG range_ext : graph.getExceptions()) { if (range_ext.getHandler() == handler) { range_ext.setHandler(newblock); } else if (range_ext.getProtectedRange().contains(handler)) { newblock.addSuccessorException(range_ext.getHandler()); range_ext.getProtectedRange().add(newblock); } } newblock.addSuccessor(handler); if (graph.getFirst() == handler) { graph.setFirst(newblock); } // remove the first pop in the handler seq.removeInstruction(0); } newblock.addSuccessorException(range_super.handler); range_super.rangeCFG.getProtectedRange().add(newblock); handler = range.rangeCFG.getHandler(); seq = handler.getSeq(); } } } } } } } } } public static void insertEmptyExceptionHandlerBlocks(ControlFlowGraph graph) { Set<BasicBlock> setVisited = new HashSet<>(); for (ExceptionRangeCFG range : graph.getExceptions()) { BasicBlock handler = range.getHandler(); if (setVisited.contains(handler)) { continue; } setVisited.add(handler); BasicBlock emptyblock = new BasicBlock(++graph.last_id); graph.getBlocks().addWithKey(emptyblock, emptyblock.id); List<BasicBlock> lstTemp = new ArrayList<>(); // only exception predecessors considered lstTemp.addAll(handler.getPredExceptions()); // replace predecessors for (BasicBlock pred : lstTemp) { pred.replaceSuccessor(handler, emptyblock); } // replace handler for (ExceptionRangeCFG range_ext : graph.getExceptions()) { if (range_ext.getHandler() == handler) { range_ext.setHandler(emptyblock); } else if (range_ext.getProtectedRange().contains(handler)) { emptyblock.addSuccessorException(range_ext.getHandler()); range_ext.getProtectedRange().add(emptyblock); } } emptyblock.addSuccessor(handler); if (graph.getFirst() == handler) { graph.setFirst(emptyblock); } } } public static void removeEmptyRanges(ControlFlowGraph graph) { List<ExceptionRangeCFG> lstRanges = graph.getExceptions(); for (int i = lstRanges.size() - 1; i >= 0; i--) { ExceptionRangeCFG range = lstRanges.get(i); boolean isEmpty = true; for (BasicBlock block : range.getProtectedRange()) { if (!block.getSeq().isEmpty()) { isEmpty = false; break; } } if (isEmpty) { for (BasicBlock block : range.getProtectedRange()) { block.removeSuccessorException(range.getHandler()); } lstRanges.remove(i); } } } public static void removeCircularRanges(final ControlFlowGraph graph) { GenericDominatorEngine engine = new GenericDominatorEngine(new IGraph() { public List<? extends IGraphNode> getReversePostOrderList() { return graph.getReversePostOrder(); } public Set<? extends IGraphNode> getRoots() { return new HashSet<>(Arrays.asList(new IGraphNode[]{graph.getFirst()})); } }); engine.initialize(); List<ExceptionRangeCFG> lstRanges = graph.getExceptions(); for (int i = lstRanges.size() - 1; i >= 0; i--) { ExceptionRangeCFG range = lstRanges.get(i); BasicBlock handler = range.getHandler(); List<BasicBlock> rangeList = range.getProtectedRange(); if (rangeList.contains(handler)) { // TODO: better removing strategy List<BasicBlock> lstRemBlocks = getReachableBlocksRestricted(range, engine); if (lstRemBlocks.size() < rangeList.size() || rangeList.size() == 1) { for (BasicBlock block : lstRemBlocks) { block.removeSuccessorException(handler); rangeList.remove(block); } } if (rangeList.isEmpty()) { lstRanges.remove(i); } } } } private static List<BasicBlock> getReachableBlocksRestricted(ExceptionRangeCFG range, GenericDominatorEngine engine) { List<BasicBlock> lstRes = new ArrayList<>(); LinkedList<BasicBlock> stack = new LinkedList<>(); Set<BasicBlock> setVisited = new HashSet<>(); BasicBlock handler = range.getHandler(); stack.addFirst(handler); while (!stack.isEmpty()) { BasicBlock block = stack.removeFirst(); setVisited.add(block); if (range.getProtectedRange().contains(block) && engine.isDominator(block, handler)) { lstRes.add(block); List<BasicBlock> lstSuccs = new ArrayList<>(block.getSuccs()); lstSuccs.addAll(block.getSuccExceptions()); for (BasicBlock succ : lstSuccs) { if (!setVisited.contains(succ)) { stack.add(succ); } } } } return lstRes; } public static boolean hasObfuscatedExceptions(ControlFlowGraph graph) { Map<BasicBlock, Set<BasicBlock>> mapRanges = new HashMap<>(); for (ExceptionRangeCFG range : graph.getExceptions()) { Set<BasicBlock> set = mapRanges.get(range.getHandler()); if (set == null) { mapRanges.put(range.getHandler(), set = new HashSet<>()); } set.addAll(range.getProtectedRange()); } for (Entry<BasicBlock, Set<BasicBlock>> ent : mapRanges.entrySet()) { Set<BasicBlock> setEntries = new HashSet<>(); for (BasicBlock block : ent.getValue()) { Set<BasicBlock> setTemp = new HashSet<>(block.getPreds()); setTemp.removeAll(ent.getValue()); if (!setTemp.isEmpty()) { setEntries.add(block); } } if (!setEntries.isEmpty()) { if (setEntries.size() > 1 /*|| ent.getValue().contains(first)*/) { return true; } } } return false; } }
3e1e9951e96a83da7f74f16c6e372ef000e6102f
1,626
java
Java
ebean-api/src/main/java/io/ebean/util/SplitName.java
tibco-jufernan/ebean-h2-fix
acfd882078ad154886a81c7baf193d88d58877f8
[ "Apache-2.0" ]
1,041
2016-08-03T12:27:03.000Z
2022-03-31T20:06:05.000Z
ebean-api/src/main/java/io/ebean/util/SplitName.java
tibco-jufernan/ebean-h2-fix
acfd882078ad154886a81c7baf193d88d58877f8
[ "Apache-2.0" ]
1,501
2016-08-03T11:37:04.000Z
2022-03-31T20:03:05.000Z
ebean-api/src/main/java/io/ebean/util/SplitName.java
tibco-jufernan/ebean-h2-fix
acfd882078ad154886a81c7baf193d88d58877f8
[ "Apache-2.0" ]
196
2016-08-09T03:26:24.000Z
2022-03-27T15:12:06.000Z
19.829268
63
0.556581
12,935
package io.ebean.util; /** * Helper for dot notation property paths. */ public class SplitName { private static final char PERIOD = '.'; /** * Add the two name sections together in dot notation. */ public static String add(String prefix, String name) { if (prefix != null) { return prefix + "." + name; } else { return name; } } /** * Return the number of occurrences of char in name. */ public static int count(String name) { int count = 0; for (int i = 0; i < name.length(); i++) { if (PERIOD == name.charAt(i)) { count++; } } return count; } /** * Return the parent part of the path. */ public static String parent(String name) { if (name == null) { return null; } else { String[] s = split(name, true); return s[0]; } } /** * Return the name split by last. */ public static String[] split(String name) { return split(name, true); } /** * Return the first part of the name. */ public static String begin(String name) { return splitBegin(name)[0]; } public static String[] splitBegin(String name) { return split(name, false); } private static String[] split(String name, boolean last) { int pos = last ? name.lastIndexOf('.') : name.indexOf('.'); if (pos == -1) { if (last) { return new String[]{null, name}; } else { return new String[]{name, null}; } } else { String s0 = name.substring(0, pos); String s1 = name.substring(pos + 1); return new String[]{s0, s1}; } } }
3e1e9992458147b6959179de1e2d66413975b003
296
java
Java
src/main/java/com/letv/component/player/http/bean/CdeState.java
tiwer/letv
1eeb7079be8bad4ffb61fdb06ff8d49760f9e120
[ "Apache-2.0" ]
39
2017-08-07T09:03:54.000Z
2021-09-29T09:31:39.000Z
src/main/java/com/letv/component/player/http/bean/CdeState.java
JackChan1999/letv
1eeb7079be8bad4ffb61fdb06ff8d49760f9e120
[ "Apache-2.0" ]
null
null
null
src/main/java/com/letv/component/player/http/bean/CdeState.java
JackChan1999/letv
1eeb7079be8bad4ffb61fdb06ff8d49760f9e120
[ "Apache-2.0" ]
39
2017-05-08T13:11:39.000Z
2021-12-26T12:42:14.000Z
29.6
71
0.804054
12,936
package com.letv.component.player.http.bean; import com.letv.component.core.http.bean.LetvBaseBean; public class CdeState implements LetvBaseBean { private static final long serialVersionUID = -3013099899518810899L; public String downloadedDuration; public String downloadedRate; }
3e1e99b818056aebd07efde51a2704df7958d826
3,080
java
Java
hbase-server/src/test/java/org/apache/hadoop/hbase/catalog/TestCatalogTrackerOnCluster.java
whoschek/hbase
51ae3cb0bcf641c2498ab9ea2e6f77c78c3b9db6
[ "Apache-2.0" ]
1
2020-01-07T04:03:07.000Z
2020-01-07T04:03:07.000Z
hbase-server/src/test/java/org/apache/hadoop/hbase/catalog/TestCatalogTrackerOnCluster.java
whoschek/hbase
51ae3cb0bcf641c2498ab9ea2e6f77c78c3b9db6
[ "Apache-2.0" ]
null
null
null
hbase-server/src/test/java/org/apache/hadoop/hbase/catalog/TestCatalogTrackerOnCluster.java
whoschek/hbase
51ae3cb0bcf641c2498ab9ea2e6f77c78c3b9db6
[ "Apache-2.0" ]
1
2019-04-10T07:49:50.000Z
2019-04-10T07:49:50.000Z
37.108434
78
0.726623
12,937
/** * Copyright 2011 The Apache Software Foundation * * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.hadoop.hbase.catalog; import org.apache.commons.logging.Log; import org.apache.commons.logging.LogFactory; import org.apache.hadoop.hbase.*; import org.apache.hadoop.hbase.zookeeper.RootRegionTracker; import org.apache.hadoop.hbase.zookeeper.ZooKeeperWatcher; import org.apache.zookeeper.KeeperException; import org.junit.Test; import org.junit.experimental.categories.Category; /** * Do {@link CatalogTracker} tests on running cluster. */ @Category(LargeTests.class) public class TestCatalogTrackerOnCluster { private static final HBaseTestingUtility UTIL = new HBaseTestingUtility(); private static final Log LOG = LogFactory.getLog(TestCatalogTrackerOnCluster.class); /** * @throws Exception * @see {https://issues.apache.org/jira/browse/HBASE-3445} */ @Test public void testBadOriginalRootLocation() throws Exception { UTIL.getConfiguration().setInt("ipc.socket.timeout", 3000); // Launch cluster so it does bootstrapping. UTIL.startMiniCluster(); // Shutdown hbase. UTIL.shutdownMiniHBaseCluster(); // Mess with the root location in the running zk. Set it to be nonsense. ZooKeeperWatcher zookeeper = new ZooKeeperWatcher(UTIL.getConfiguration(), "Bad Root Location Writer", new Abortable() { @Override public void abort(String why, Throwable e) { LOG.error("Abort was called on 'bad root location writer'", e); } @Override public boolean isAborted() { return false; } }); ServerName nonsense = new ServerName("example.org", 1234, System.currentTimeMillis()); RootRegionTracker.setRootLocation(zookeeper, nonsense); // Bring back up the hbase cluster. See if it can deal with nonsense root // location. The cluster should start and be fully available. UTIL.startMiniHBaseCluster(1, 1); // if we can create a table, it's a good sign that it's working UTIL.createTable( getClass().getSimpleName().getBytes(), "family".getBytes()); UTIL.shutdownMiniCluster(); } @org.junit.Rule public org.apache.hadoop.hbase.ResourceCheckerJUnitRule cu = new org.apache.hadoop.hbase.ResourceCheckerJUnitRule(); }
3e1e9a6c933dfedcce1cf862c3f875b0a359e104
553
java
Java
backend/reporting/src/main/java/de/immomio/reporting/model/event/EmailRecipientEvent.java
Falumpaset/handson-ml2
8301e1f6b1a2a30c704027b0ebeb682e841d786c
[ "Apache-2.0" ]
null
null
null
backend/reporting/src/main/java/de/immomio/reporting/model/event/EmailRecipientEvent.java
Falumpaset/handson-ml2
8301e1f6b1a2a30c704027b0ebeb682e841d786c
[ "Apache-2.0" ]
null
null
null
backend/reporting/src/main/java/de/immomio/reporting/model/event/EmailRecipientEvent.java
Falumpaset/handson-ml2
8301e1f6b1a2a30c704027b0ebeb682e841d786c
[ "Apache-2.0" ]
null
null
null
21.269231
80
0.764919
12,938
package de.immomio.reporting.model.event; import lombok.Getter; import lombok.Setter; import java.io.Serializable; import java.util.Date; import java.util.List; /** * @author Fabian Beck */ @Getter @Setter public class EmailRecipientEvent extends AbstractEvent implements Serializable { private static final long serialVersionUID = - 4623181024295149251L; private String sender; private List<String> recipients; private String subject; private Date sentDate; private String htmlContent; private String plainContent; }
3e1e9aa3e89bedcaa11413038a544c8ccf9ff62d
1,048
java
Java
languages/languageDesign/scopes/runtime/source_gen/jetbrains/mps/lang/scopes/runtime/LazyScope.java
trespasserw/MPS
dbc5c76496e8ccef46dd420eefcd5089b1bc234b
[ "Apache-2.0" ]
null
null
null
languages/languageDesign/scopes/runtime/source_gen/jetbrains/mps/lang/scopes/runtime/LazyScope.java
trespasserw/MPS
dbc5c76496e8ccef46dd420eefcd5089b1bc234b
[ "Apache-2.0" ]
null
null
null
languages/languageDesign/scopes/runtime/source_gen/jetbrains/mps/lang/scopes/runtime/LazyScope.java
trespasserw/MPS
dbc5c76496e8ccef46dd420eefcd5089b1bc234b
[ "Apache-2.0" ]
null
null
null
25.560976
80
0.725191
12,939
package jetbrains.mps.lang.scopes.runtime; /*Generated by MPS */ import jetbrains.mps.baseLanguage.closures.runtime._FunctionTypes; import jetbrains.mps.scope.Scope; import jetbrains.mps.scope.EmptyScope; import org.jetbrains.annotations.NotNull; import java.util.Collection; import org.jetbrains.mps.openapi.model.SNode; public class LazyScope extends DelegatingScope { private final _FunctionTypes._return_P0_E0<? extends Scope> scopePromise; private Scope scope; private boolean isCalculated = false; public LazyScope(_FunctionTypes._return_P0_E0<? extends Scope> scopePromise) { this.scopePromise = scopePromise; } @Override protected Scope getScope() { if (!(isCalculated)) { scope = scopePromise.invoke(); // todo: think about this case... if (scope == null) { scope = new EmptyScope(); } isCalculated = true; } return scope; } @Override @NotNull public Collection<SNode> getAdditionalDependencies() { return getScope().getAdditionalDependencies(); } }
3e1e9bf13bdc6eac93b050f76e224a66171785df
879
java
Java
plugins-it/plugins-it-utils/src/main/java/com/navercorp/pinpoint/pluginit/utils/PluginITConstants.java
richardy2012/pinpoint
c50696734a2f7fcc37f8fea879ed4c84946e58f8
[ "Apache-2.0" ]
1,473
2020-10-14T02:18:07.000Z
2022-03-31T11:43:49.000Z
plugins-it/plugins-it-utils/src/main/java/com/navercorp/pinpoint/pluginit/utils/PluginITConstants.java
richardy2012/pinpoint
c50696734a2f7fcc37f8fea879ed4c84946e58f8
[ "Apache-2.0" ]
995
2020-10-14T05:09:43.000Z
2022-03-31T12:04:05.000Z
plugins-it/plugins-it-utils/src/main/java/com/navercorp/pinpoint/pluginit/utils/PluginITConstants.java
richardy2012/pinpoint
c50696734a2f7fcc37f8fea879ed4c84946e58f8
[ "Apache-2.0" ]
446
2020-10-14T02:42:50.000Z
2022-03-31T03:03:53.000Z
32.555556
109
0.749716
12,940
/* * Copyright 2020 NAVER Corp. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.navercorp.pinpoint.pluginit.utils; import com.navercorp.pinpoint.common.Version; /** * @author Woonduk Kang(emeroad) */ public final class PluginITConstants { public static final String VERSION = "com.navercorp.pinpoint:pinpoint-plugin-it-utils:"+ Version.VERSION; }
3e1e9dfe99de19bec08421d3a23d11f52887a968
17,130
java
Java
src/me/myiume/myiulib/api/MGPlayer.java
myiume/MyiuLib
ce8c25dfccffa20abb4e9a92fc124152af10a922
[ "MIT" ]
1
2017-04-12T10:13:05.000Z
2017-04-12T10:13:05.000Z
src/me/myiume/myiulib/api/MGPlayer.java
myiume/MyiuLib
ce8c25dfccffa20abb4e9a92fc124152af10a922
[ "MIT" ]
null
null
null
src/me/myiume/myiulib/api/MGPlayer.java
myiume/MyiuLib
ce8c25dfccffa20abb4e9a92fc124152af10a922
[ "MIT" ]
null
null
null
30.158451
123
0.686748
12,941
package me.myiume.myiulib.api; import static me.myiume.myiulib.MyiuLib.locale; import me.myiume.myiulib.MGUtil; import me.myiume.myiulib.MyiuLib; import me.myiume.myiulib.UUIDFetcher; import me.myiume.myiulib.event.player.MGPlayerSpectateEvent; import me.myiume.myiulib.exception.NoSuchPlayerException; import me.myiume.myiulib.exception.PlayerOfflineException; import me.myiume.myiulib.exception.PlayerPresentException; import me.myiume.myiulib.exception.RoundFullException; import me.myiume.myiulib.misc.JoinResult; import me.myiume.myiulib.misc.Metadatable; import me.myiume.myiulib.util.NmsUtil; import org.bukkit.Bukkit; import org.bukkit.ChatColor; import org.bukkit.Location; import org.bukkit.configuration.file.YamlConfiguration; import org.bukkit.entity.Player; import org.bukkit.event.player.PlayerTeleportEvent.TeleportCause; import org.bukkit.inventory.ItemStack; import org.bukkit.inventory.PlayerInventory; import org.bukkit.potion.PotionEffect; import org.bukkit.potion.PotionEffectType; import java.io.File; import java.util.HashMap; import java.util.Random; /** * Represents a player participating in a minigame. * * @since 0.1.0 */ public class MGPlayer implements Metadatable { HashMap<String, Object> metadata = new HashMap<String, Object>(); private String plugin; private String name; private String arena; private boolean spectating = false; private String prefix = ""; private GameMode prevGameMode; private String team = null; private boolean frozen = false; /** * Creates a new MGPlayer instance. * * @param plugin the plugin to associate the MGPlayer with * @param name the username of the player * @param arena the arena of the player * @since 0.1.0 */ public MGPlayer(String plugin, String name, String arena) { this.plugin = plugin; this.name = name; this.arena = arena; } /** * Gets the minigame plugin associated with this {@link MGPlayer}. * * @return the minigame plugin associated with this {@link MGPlayer} * @since 0.1.0 */ public String getPlugin() { return plugin; } /** * Gets the MyiuLib API instance registered by the minigame plugin associated * with this {@link MGPlayer}. * * @return the MyiuLib API instance registered by the minigame plugin * associated with this {@link MGPlayer} * @since 0.1.0 */ public Minigame getMinigame() { return Minigame.getMinigameInstance(plugin); } /** * Gets the username of this {@link MGPlayer}. * * @return the username of this {@link MGPlayer} * @since 0.1.0 */ public String getName() { return name; } /** * Gets the arena associated with this {@link MGPlayer}. * * @return the arena associated with this {@link MGPlayer} * @since 0.1.0 */ public String getArena() { return arena; } /** * Retrieves the prefix of this player (used on lobby signs). * * @return the prefix of this player * @since 0.1.0 */ public String getPrefix() { return prefix; } /** * Retrieves the name of the team this player is on, or null if they are not * on a team. * * @return the name of the team this player is on, or null if they are not * on a team * @since 0.3.0 */ public String getTeam() { return team; } /** * Sets the name of the team this player is on. * * @param team the name of the team this player is on. Set to null for no * team. * @since 0.3.0 */ public void setTeam(String team) { this.team = team; } /** * Sets the arena of this {@link MGPlayer}. Please do not call this method * unless you understand the implications of doing so. * * @param arena the new arena of this {@link MGPlayer} * @since 0.1.0 */ public void setArena(String arena) { this.arena = arena; } /** * Gets the {@link Round} associated with this player. * * @return the {@link Round} associated with this player * @since 0.1.0 */ public Round getRound() { return Minigame.getMinigameInstance(plugin).getRound(arena.toLowerCase()); } /** * Gets whether this player is spectating their round, as opposed to * participating in it. * * @return whether this player is spectating their round (can return true * even if {@link Player#isDead()} returns false). * @since 0.1.0 */ public boolean isSpectating() { return spectating; } /** * Sets whether this player is spectating or not. * * @param spectating whether the player is spectating * @since 0.1.0 */ @SuppressWarnings("unchecked") public void setSpectating(boolean spectating) { this.spectating = spectating; if (spectating) { MGPlayerSpectateEvent event = new MGPlayerSpectateEvent(this.getRound(), this); MGUtil.callEvent(event); if (event.isCancelled()) { return; } @SuppressWarnings("deprecation") final Player p = Bukkit.getPlayer(this.getName()); if (p != null) { // check that player is online p.closeInventory(); // close any inventory they have open if (!MyiuLib.isVanillaSpectatingDisabled() && this.getRound().getConfigManager().isUsingVanillaSpectating() && NmsUtil.SPECTATOR_SUPPORT) { p.setGameMode(org.bukkit.GameMode.SPECTATOR); p.sendMessage(ChatColor.DARK_PURPLE + MyiuLib.locale.getMessage("info.personal.spectating")); // tell them } else { p.setGameMode(org.bukkit.GameMode.ADVENTURE); // disable block breaking String message = ChatColor.DARK_PURPLE + MyiuLib.locale.getMessage("info.personal.spectating"); // tell them if (Bukkit.getAllowFlight() && getRound().getConfigManager().isSpectatorFlightAllowed()) { p.setAllowFlight(true); // enable flight } p.sendMessage(message); } } } else { @SuppressWarnings("deprecation") Player p = Bukkit.getPlayer(this.getName()); if (p != null) { // check that player is online if (!MyiuLib.isVanillaSpectatingDisabled() && this.getRound().getConfigManager().isUsingVanillaSpectating()) { p.setGameMode(org.bukkit.GameMode.valueOf(this.getRound().getConfigManager().getDefaultGameMode().name())); } //noinspection ConstantConditions for (Player pl : NmsUtil.getOnlinePlayers()) { pl.showPlayer(p); } if (getRound() != null) { // set them to the default gamemode for arenas p.setGameMode(org.bukkit.GameMode.valueOf(getRound().getConfigManager().getDefaultGameMode().name())); } p.setFlying(false); // disable flight } } Minigame.getMinigameInstance(plugin).getLobbyManager().update(this.getArena()); } /** * Sets the prefix of this player (used on lobby signs). * * @param prefix the new prefix of this player * @since 0.1.0 */ public void setPrefix(String prefix) { this.prefix = prefix; } /** * Adds this {@link MGPlayer} to the given {@link Round round}. * * @param round the name of the round to add the player to * @return the result of this player being added to the round * @throws PlayerOfflineException if the player is not online * @throws PlayerPresentException if the player is already in a round * @throws RoundFullException if the round is full * @since 0.1.0 */ public JoinResult addToRound(String round) throws PlayerOfflineException, PlayerPresentException, RoundFullException { return Minigame.getMinigameInstance(plugin).getRound(round).addPlayer(name); } /** * Removes this {@link MGPlayer} from the round they are currently in. * * @param location the location to teleport this player to. Please omit it * if you wish to teleport them to the round's default exit * point. * @throws NoSuchPlayerException if the given player is not in a round * @throws PlayerOfflineException if the given player is not online * @since 0.4.0 */ public void removeFromRound(Location3D location) throws NoSuchPlayerException, PlayerOfflineException { getRound().removePlayer(name, location); } /** * Removes this {@link MGPlayer} from the round they are currently in. * * @param location the location to teleport this player to. Please omit it * if you wish to teleport them to the round's default exit * point. * @throws NoSuchPlayerException if the given player is not in a round * @throws PlayerOfflineException if the given player is not online * @deprecated Use {@link MGPlayer#removeFromRound(Location3D)} * @since 0.1.0 */ @Deprecated @SuppressWarnings("deprecation") public void removeFromRound(Location location) throws NoSuchPlayerException, PlayerOfflineException { getRound().removePlayer(name, location); } /** * Removes this {@link MGPlayer} from the round they are currently in. * * @throws NoSuchPlayerException if the player is not in a round * @throws PlayerOfflineException if the player is not online * @since 0.1.0 */ public void removeFromRound() throws NoSuchPlayerException, PlayerOfflineException { this.getRound().removePlayer(this.getName()); } /** * Resets the {@link Player Bukkit player} after they've left a round. * * @param location the location to teleport the player to, or null to skip * teleportation * @since 0.1.0 */ @SuppressWarnings("deprecation") public void reset(Location3D location) { final Player p = getBukkitPlayer(); if (p == null) { // check that the specified player is online return; } p.getInventory().clear(); p.getInventory().setArmorContents(new ItemStack[4]); for (PotionEffect pe : p.getActivePotionEffects()) { p.removePotionEffect(pe.getType()); // remove any potion effects before sending them back to the lobby } try { final File invF = new File(MGUtil.getPlugin().getDataFolder() + File.separator + "inventories" + File.separator + UUIDFetcher.getUUIDOf(p.getName()) + ".dat"); if (invF.exists()) { YamlConfiguration invY = new YamlConfiguration(); invY.load(invF); ItemStack[] invI = new ItemStack[36]; PlayerInventory pInv = p.getInventory(); for (String k : invY.getKeys(false)) { if (MGUtil.isInteger(k)) { invI[Integer.parseInt(k)] = invY.getItemStack(k); } else if (k.equalsIgnoreCase("h")) { pInv.setHelmet(invY.getItemStack(k)); } else if (k.equalsIgnoreCase("c")) { pInv.setChestplate(invY.getItemStack(k)); } else if (k.equalsIgnoreCase("l")) { pInv.setLeggings(invY.getItemStack(k)); } else if (k.equalsIgnoreCase("b")) { pInv.setBoots(invY.getItemStack(k)); } } invF.delete(); p.getInventory().setContents(invI); p.updateInventory(); } } catch (Exception ex) { ex.printStackTrace(); p.sendMessage(ChatColor.RED + locale.getMessage("error.personal.inv-load-fail")); } if (location != null) { // teleport the player p.teleport(MGUtil.toBukkitLocation(location), TeleportCause.PLUGIN); } } /** * Resets the {@link Player Bukkit player} after they've left a round. * * @param location the location to teleport the player to, or null to skip * teleportation * @deprecated Use {@link MGPlayer#reset(Location3D)} * @since 0.1.0 */ @Deprecated public void reset(Location location) { reset(MGUtil.fromBukkitLocation(location, true)); } /** * Resets the {@link Player Bukkit player} after they've left a round. * * @throws PlayerOfflineException if the player is offline * @since 0.1.0 */ public void reset() throws PlayerOfflineException { reset(MGUtil.fromBukkitLocation(Minigame.getMinigameInstance(plugin).getConfigManager().getDefaultExitLocation(), true)); } /** * Gets the gamemode MyiuLib will impose upon the player upon round exit. * * <p>This method typically <strong>should not</strong> be called from * outside the library.</p> * * @return the gamemode MyiuLib will impose upon the player upon round * exit. * @since 0.1.0 */ //TODO: deprecate public GameMode getPrevGameMode() { return prevGameMode; } /** * Sets the gamemode MyiuLib will impose upon the player upon round exit. * * <p>This method typically <strong>should not</strong> be called from * outside the library.</p> * * @param gameMode the gamemode MyiuLib will impose upon the player upon round * exit. * @since 0.4.0 */ public void setPrevGameMode(GameMode gameMode) { this.prevGameMode = gameMode; } /** * Sets the gamemode MyiuLib will impose upon the player upon round exit. * * <p>This method typically <strong>should not</strong> be called from * outside the library.</p> * * @param gameMode the gamemode MyiuLib will impose upon the player upon round * exit. * @deprecated Use {@link MGPlayer#setPrevGameMode(GameMode)} * @since 0.1.0 */ @Deprecated public void setPrevGameMode(org.bukkit.GameMode gameMode) { setPrevGameMode(GameMode.getGameMode(gameMode.name())); } /** * Retrieves the {@link Bukkit Player} object for this {@link MGPlayer}. * * @return the {@link Bukkit Player} object for this {@link MGPlayer} * @deprecated Use {@link Bukkit#getPlayer(String)} * @since 0.2.0 */ @Deprecated @SuppressWarnings("deprecation") public Player getBukkitPlayer() { return Bukkit.getPlayer(name); } /** * Convenience method for {@link MGPlayer#getBukkitPlayer()}. Use this only * if aesthetic ambiguity is not a point of concern. * * @return the {@link Bukkit Player} object for this {@link MGPlayer} * @deprecated Encourages poor coding practice; please use * {@link Bukkit#getPlayer(String)} * @since 0.3.0 */ @Deprecated @SuppressWarnings("deprecation") public Player b() { return getBukkitPlayer(); } /** * Retrieves whether the player is frozen. * * @return whether the player is frozen * @since 0.3.0 */ public boolean isFrozen() { return frozen; } /** * Cleanly freezes or unfreezes the player. The library will automatically * revert the player to their previous speed when unfrozen and let it go, * <em>let it go!</em> * * @param frozen whether the player should be frozen * @since 0.3.0 */ public void setFrozen(boolean frozen) { @SuppressWarnings("deprecation") Player p = Bukkit.getPlayer(this.getName()); if (frozen) { if (!this.isFrozen()) { this.setMetadata("prev-walk-speed", p.getWalkSpeed()); this.setMetadata("prev-fly-speed", p.getFlySpeed()); for (PotionEffect pe : p.getActivePotionEffects()) { if (pe.getType() == PotionEffectType.JUMP) { this.setMetadata("prev-jump-level", pe.getAmplifier()); this.setMetadata("prev-jump-duration", pe.getDuration()); } } p.addPotionEffect(new PotionEffect(PotionEffectType.JUMP, Integer.MAX_VALUE, 128)); p.setWalkSpeed(0f); p.setFlySpeed(0f); } } else if (this.isFrozen()) { p.setWalkSpeed(this.hasMetadata("prev-walk-speed") ? (Float)this.getMetadata("prev-walk-speed") : 0.2f); p.setFlySpeed(this.hasMetadata("prev-fly-speed") ? (Float)this.getMetadata("prev-fly-speed") : 0.2f); p.removePotionEffect(PotionEffectType.JUMP); if (this.hasMetadata("prev-jump-level")) { p.addPotionEffect(new PotionEffect( PotionEffectType.JUMP, (Integer)this.getMetadata("prev-jump-duration"), (Integer)this.getMetadata("prev-jump-level") )); } this.removeMetadata("prev-walk-speed"); this.removeMetadata("prev-fly-speed"); this.removeMetadata("prev-jump-level"); this.removeMetadata("prev-jump-duration"); } this.frozen = frozen; } /** * Respawns the player at the given spawn. * * @param spawn the index of the spawn to send the player to * @since 0.3.0 */ public void spawnIn(int spawn) { Round r = this.getRound(); @SuppressWarnings("deprecation") Player p = Bukkit.getPlayer(this.getName()); if (r != null) { Location sp = (spawn >= 0 && r.getSpawns().size() > spawn) ? r.getSpawns().get(spawn) : r.getConfigManager().isRandomSpawning() ? r.getSpawns().get(new Random().nextInt(r.getSpawns().size())) : r.getSpawns().get(r.getPlayerList().size() % r.getSpawns().size()); p.teleport(sp, TeleportCause.PLUGIN); // teleport the player to it } } /** * Respawns the player at a random or sequential spawn, depending on your * configuration. * * @since 0.3.0 */ public void spawnIn() { spawnIn(-1); } public boolean equals(Object p) { if (p instanceof MGPlayer) { MGPlayer t = (MGPlayer)p; return name.equals(t.getName()) && arena.equals(t.getArena()) && isSpectating() == t.isSpectating(); } return false; } public int hashCode() { return 41 * (plugin.hashCode() + name.hashCode() + arena.hashCode() + Boolean.valueOf(isSpectating()).hashCode() + 41); } public Object getMetadata(String key) { return metadata.get(key); } public void setMetadata(String key, Object value) { metadata.put(key, value); } public void removeMetadata(String key) { metadata.remove(key); } public boolean hasMetadata(String key) { return metadata.containsKey(key); } public HashMap<String, Object> getAllMetadata() { return metadata; } }
3e1e9f2c50bfe12ebf504586a7627efc6fcf5935
581
java
Java
app/src/main/java/com/example/coolweather/gson/Suggestion.java
ALoading0000/coolweather
d3210532137b4889f31920f528d75c66c5fe13d1
[ "Apache-2.0" ]
null
null
null
app/src/main/java/com/example/coolweather/gson/Suggestion.java
ALoading0000/coolweather
d3210532137b4889f31920f528d75c66c5fe13d1
[ "Apache-2.0" ]
null
null
null
app/src/main/java/com/example/coolweather/gson/Suggestion.java
ALoading0000/coolweather
d3210532137b4889f31920f528d75c66c5fe13d1
[ "Apache-2.0" ]
null
null
null
17.088235
50
0.628227
12,942
package com.example.coolweather.gson; import com.google.gson.annotations.SerializedName; /** * Created by Hanis on 2018/9/29 0029. */ public class Suggestion { @SerializedName("comf") public Comfort comfort; @SerializedName("cw") public CarWash carWash; public Sport sport; public class Comfort { @SerializedName("txt") public String info; } public class CarWash { @SerializedName("txt") public String info; } public class Sport { @SerializedName("txt") public String info; } }
3e1e9f72f0c29b034d608cfafbf6ffce7a3eaec8
100
java
Java
gs-spring-core/src/main/java/com/tirthal/learning/xmlconfig/beanwiring/Instrument.java
akondasif/Learning-Spring
e13914a65a6fe623e88ec4a8394e6dccfe1c7c37
[ "MIT" ]
1
2018-05-28T02:42:55.000Z
2018-05-28T02:42:55.000Z
gs-spring-core/src/main/java/com/tirthal/learning/xmlconfig/beanwiring/Instrument.java
akondasif/Learning-Spring
e13914a65a6fe623e88ec4a8394e6dccfe1c7c37
[ "MIT" ]
3
2021-01-21T01:06:19.000Z
2022-01-21T23:19:30.000Z
gs-spring-core/src/main/java/com/tirthal/learning/xmlconfig/beanwiring/Instrument.java
akondasif/Learning-Spring
e13914a65a6fe623e88ec4a8394e6dccfe1c7c37
[ "MIT" ]
6
2017-12-14T08:05:29.000Z
2021-03-23T05:44:58.000Z
12.5
50
0.77
12,943
package com.tirthal.learning.xmlconfig.beanwiring; public interface Instrument { void play(); }
3e1ea0bac75964bc8180d04eb036dde856533636
533
java
Java
nam/nam-engine/src/main/java/nam/ui/src/main/webapp/pages/DataModelXHTMLGenerator.java
tfisher1226/ARIES
814e3a4b4b48396bcd6d082e78f6519679ccaa01
[ "Apache-2.0" ]
2
2019-09-16T10:06:07.000Z
2021-02-25T11:46:23.000Z
nam/nam-engine/src/main/java/nam/ui/src/main/webapp/pages/DataModelXHTMLGenerator.java
tfisher1226/ARIES
814e3a4b4b48396bcd6d082e78f6519679ccaa01
[ "Apache-2.0" ]
null
null
null
nam/nam-engine/src/main/java/nam/ui/src/main/webapp/pages/DataModelXHTMLGenerator.java
tfisher1226/ARIES
814e3a4b4b48396bcd6d082e78f6519679ccaa01
[ "Apache-2.0" ]
null
null
null
21.32
69
0.780488
12,944
package nam.ui.src.main.webapp.pages; import nam.model.Module; import nam.model.Project; import nam.ui.src.main.webapp.AbstractXHTMLGenerator; import aries.generation.engine.GenerationContext; public class DataModelXHTMLGenerator extends AbstractXHTMLGenerator { public DataModelXHTMLGenerator(GenerationContext context) { super(context); } public void generate() throws Exception { super.generate("error.xhtml"); } public void generate(Project project, Module module) { // TODO Auto-generated method stub } }
3e1ea19cd78114fe80bbb499943fd37060220215
9,480
java
Java
libcore/luni/src/test/java/tests/api/java/io/SerializationStressTest.java
PPCDroid/dalvik
3a3ffe5cfcd77ead36c034e64dcca56a526970e5
[ "Apache-2.0" ]
13
2015-09-30T03:09:20.000Z
2020-11-04T11:28:30.000Z
libcore/luni/src/test/java/tests/api/java/io/SerializationStressTest.java
PPCDroid/dalvik
3a3ffe5cfcd77ead36c034e64dcca56a526970e5
[ "Apache-2.0" ]
null
null
null
libcore/luni/src/test/java/tests/api/java/io/SerializationStressTest.java
PPCDroid/dalvik
3a3ffe5cfcd77ead36c034e64dcca56a526970e5
[ "Apache-2.0" ]
13
2015-05-17T12:55:10.000Z
2020-09-03T02:04:16.000Z
32.027027
90
0.609599
12,945
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package tests.api.java.io; import java.io.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.FileInputStream; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStream; import java.io.ObjectInputStream; import java.io.ObjectOutputStream; import java.io.Serializable; import java.security.Permission; import java.security.PermissionCollection; import java.util.ArrayList; import java.util.Arrays; import java.util.Calendar; import java.util.GregorianCalendar; import java.util.HashMap; import java.util.HashSet; import java.util.Hashtable; import java.util.IdentityHashMap; import java.util.LinkedHashMap; import java.util.LinkedHashSet; import java.util.LinkedList; import java.util.List; import java.util.Map; import java.util.PropertyPermission; import java.util.Set; import java.util.SimpleTimeZone; import java.util.SortedMap; import java.util.SortedSet; import java.util.TimeZone; import java.util.TreeMap; import java.util.TreeSet; import dalvik.annotation.TestTargetClass; /** * Automated Test Suite for class java.io.ObjectOutputStream * */ @SuppressWarnings({"serial", "unchecked"}) @TestTargetClass(Serializable.class) public class SerializationStressTest extends junit.framework.TestCase implements Serializable { // protected static final String MODE_XLOAD = "xload"; // protected static final String MODE_XDUMP = "xdump"; static final String FOO = "foo"; static final String MSG_TEST_FAILED = "Failed to write/read/assertion checking: "; protected static final boolean DEBUG = false; protected static boolean xload = false; protected static boolean xdump = false; protected static String xFileName = null; protected transient int dumpCount = 0; protected transient ObjectInputStream ois; protected transient ObjectOutputStream oos; protected transient ByteArrayOutputStream bao; protected void t_MixPrimitivesAndObjects() throws IOException, ClassNotFoundException { int i = 7; String s1 = "string 1"; String s2 = "string 2"; byte[] bytes = { 1, 2, 3 }; oos.writeInt(i); oos.writeObject(s1); oos.writeUTF(s2); oos.writeObject(bytes); oos.close(); try { ois = new ObjectInputStream(loadStream()); int j = ois.readInt(); assertTrue("Wrong int :" + j, i == j); String l1 = (String) ois.readObject(); assertTrue("Wrong obj String :" + l1, s1.equals(l1)); String l2 = (String) ois.readUTF(); assertTrue("Wrong UTF String :" + l2, s2.equals(l2)); byte[] bytes2 = (byte[]) ois.readObject(); assertTrue("Wrong byte[]", Arrays.equals(bytes, bytes2)); } finally { ois.close(); } } // ----------------------------------------------------------------------------------- static final Map TABLE = new Hashtable(); static final Map MAP = new HashMap(); static final SortedMap TREE = new TreeMap(); static final LinkedHashMap LINKEDMAP = new LinkedHashMap(); static final LinkedHashSet LINKEDSET = new LinkedHashSet(); static final IdentityHashMap IDENTITYMAP = new IdentityHashMap(); static final List ALIST = Arrays.asList(new String[] { "a", "list", "of", "strings" }); static final List LIST = new ArrayList(ALIST); static final Set SET = new HashSet(Arrays.asList(new String[] { "one", "two", "three" })); static final Permission PERM = new PropertyPermission("file.encoding", "write"); static final PermissionCollection PERMCOL = PERM.newPermissionCollection(); static final SortedSet SORTSET = new TreeSet(Arrays.asList(new String[] { "one", "two", "three" })); static final java.text.DateFormat DATEFORM = java.text.DateFormat .getInstance(); static final java.text.ChoiceFormat CHOICE = new java.text.ChoiceFormat( "1#one|2#two|3#three"); static final java.text.NumberFormat NUMBERFORM = java.text.NumberFormat .getInstance(); static final java.text.MessageFormat MESSAGE = new java.text.MessageFormat( "the time: {0,time} and date {0,date}"); static final LinkedList LINKEDLIST = new LinkedList(Arrays .asList(new String[] { "a", "linked", "list", "of", "strings" })); static final SimpleTimeZone TIME_ZONE = new SimpleTimeZone(3600000, "S-TEST"); static final Calendar CALENDAR = new GregorianCalendar(TIME_ZONE); static Exception INITIALIZE_EXCEPTION = null; static { try { TABLE.put("one", "1"); TABLE.put("two", "2"); TABLE.put("three", "3"); MAP.put("one", "1"); MAP.put("two", "2"); MAP.put("three", "3"); LINKEDMAP.put("one", "1"); LINKEDMAP.put("two", "2"); LINKEDMAP.put("three", "3"); IDENTITYMAP.put("one", "1"); IDENTITYMAP.put("two", "2"); IDENTITYMAP.put("three", "3"); LINKEDSET.add("one"); LINKEDSET.add("two"); LINKEDSET.add("three"); TREE.put("one", "1"); TREE.put("two", "2"); TREE.put("three", "3"); PERMCOL.add(PERM); // To make sure they all use the same Calendar CALENDAR.setTimeZone(new SimpleTimeZone(0, "GMT")); CALENDAR.set(1999, Calendar.JUNE, 23, 15, 47, 13); CALENDAR.set(Calendar.MILLISECOND, 553); DATEFORM.setCalendar(CALENDAR); java.text.DateFormatSymbols symbols = new java.text.DateFormatSymbols(); symbols.setZoneStrings(new String[][] { { "a", "b", "c", "d" }, { "e", "f", "g", "h" } }); ((java.text.SimpleDateFormat) DATEFORM).setDateFormatSymbols(symbols); DATEFORM.setNumberFormat(new java.text.DecimalFormat("#.#;'-'#.#")); DATEFORM.setTimeZone(TimeZone.getTimeZone("EST")); ((java.text.DecimalFormat) NUMBERFORM).applyPattern("#.#;'-'#.#"); MESSAGE.setFormat(0, DATEFORM); MESSAGE.setFormat(1, DATEFORM); } catch (Exception e) { INITIALIZE_EXCEPTION = e; } } public SerializationStressTest() { } public SerializationStressTest(String name) { super(name); } public String getDumpName() { return getName() + dumpCount; } protected void dump(Object o) throws IOException, ClassNotFoundException { if (dumpCount > 0) setUp(); // Dump the object try { oos.writeObject(o); } finally { oos.close(); } } protected Object dumpAndReload(Object o) throws IOException, ClassNotFoundException { dump(o); return reload(); } protected InputStream loadStream() throws IOException { // Choose the load stream if (xload || xdump) { // Load from pre-existing file return new FileInputStream(xFileName + "-" + getDumpName() + ".ser"); } else { // Just load from memory, we dumped to memory return new ByteArrayInputStream(bao.toByteArray()); } } protected Object reload() throws IOException, ClassNotFoundException { ois = new ObjectInputStream(loadStream()); dumpCount++; try { return ois.readObject(); } finally { ois.close(); } } /** * Sets up the fixture, for example, open a network connection. This method * is called before a test is executed. */ protected void setUp() { if (INITIALIZE_EXCEPTION != null) { throw new ExceptionInInitializerError(INITIALIZE_EXCEPTION); } try { if (xdump) { oos = new ObjectOutputStream(new FileOutputStream(xFileName + "-" + getDumpName() + ".ser")); } else { oos = new ObjectOutputStream(bao = new ByteArrayOutputStream()); } } catch (Exception e) { fail("Exception thrown during setup : " + e.getMessage()); } } /** * Tears down the fixture, for example, close a network connection. This * method is called after a test is executed. */ protected void tearDown() { if (oos != null) { try { oos.close(); } catch (Exception e) { } } } }
3e1ea1dc0e264ff56a2b22cf59a92cc995f55937
23,859
java
Java
clients/google-api-services-cloudfunctions/v1beta2/1.30.1/com/google/api/services/cloudfunctions/v1beta2/model/CloudFunction.java
briandealwis/google-api-java-client-services
4f717423e657384080d47702de797a8711b8392d
[ "Apache-2.0" ]
1
2020-03-01T14:15:18.000Z
2020-03-01T14:15:18.000Z
clients/google-api-services-cloudfunctions/v1beta2/1.30.1/com/google/api/services/cloudfunctions/v1beta2/model/CloudFunction.java
briandealwis/google-api-java-client-services
4f717423e657384080d47702de797a8711b8392d
[ "Apache-2.0" ]
17
2020-04-17T09:01:52.000Z
2020-05-06T09:59:41.000Z
clients/google-api-services-cloudfunctions/v1beta2/1.30.1/com/google/api/services/cloudfunctions/v1beta2/model/CloudFunction.java
briandealwis/google-api-java-client-services
4f717423e657384080d47702de797a8711b8392d
[ "Apache-2.0" ]
1
2019-06-17T06:14:20.000Z
2019-06-17T06:14:20.000Z
36.13142
182
0.70977
12,946
/* * Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except * in compliance with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software distributed under the License * is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express * or implied. See the License for the specific language governing permissions and limitations under * the License. */ /* * This code was generated by https://github.com/googleapis/google-api-java-client-services/ * Modify at your own risk. */ package com.google.api.services.cloudfunctions.v1beta2.model; /** * Describes a Cloud Function that contains user computation executed in response to an event. It * encapsulate function and triggers configurations. * * <p> This is the Java data model class that specifies how to parse/serialize into the JSON that is * transmitted over HTTP when working with the Cloud Functions API. For a detailed explanation see: * <a href="https://developers.google.com/api-client-library/java/google-http-java-client/json">https://developers.google.com/api-client-library/java/google-http-java-client/json</a> * </p> * * @author Google, Inc. */ @SuppressWarnings("javadoc") public final class CloudFunction extends com.google.api.client.json.GenericJson { /** * The amount of memory in MB available for a function. Defaults to 256MB. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.Integer availableMemoryMb; /** * The name of the function (as defined in source code) that will be executed. Defaults to the * resource name suffix, if not specified. For backward compatibility, if function with given name * is not found, then the system will try to use function named "function". For Node.js this is * name of a function exported by the module specified in `source_location`. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String entryPoint; /** * Environment variables that shall be available during function execution. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.util.Map<String, java.lang.String> environmentVariables; /** * A source that fires events in response to a condition in another service. * The value may be {@code null}. */ @com.google.api.client.util.Key private EventTrigger eventTrigger; /** * An HTTPS endpoint type of source that can be triggered via URL. * The value may be {@code null}. */ @com.google.api.client.util.Key private HTTPSTrigger httpsTrigger; /** * Labels associated with this Cloud Function. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.util.Map<String, java.lang.String> labels; /** * Output only. Name of the most recent operation modifying the function. If the function status * is `DEPLOYING` or `DELETING`, then it points to the active operation. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String latestOperation; /** * The limit on the maximum number of function instances that may coexist at a given time. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.Integer maxInstances; /** * A user-defined name of the function. Function names must be unique globally and match pattern * `projects/locations/functions` * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String name; /** * The VPC Network that this cloud function can connect to. It can be either the fully-qualified * URI, or the short name of the network resource. If the short network name is used, the network * must belong to the same project. Otherwise, it must belong to a project within the same * organization. The format of this field is either `projects/{project}/global/networks/{network}` * or `{network}`, where {project} is a project id where the network is defined, and {network} is * the short name of the network. * * This field is mutually exclusive with `vpc_connector` and will be replaced by it. * * See [the VPC documentation](https://cloud.google.com/compute/docs/vpc) for more information on * connecting Cloud projects. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String network; /** * The runtime in which to run the function. Required when deploying a new function, optional when * updating an existing function. For a complete list of possible choices, see the [`gcloud` * command reference](/sdk/gcloud/reference/functions/deploy#--runtime). * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String runtime; /** * The email of the function's service account. If empty, defaults to * upchh@example.com.com`. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String serviceAccount; /** * The Google Cloud Storage URL, starting with gs://, pointing to the zip archive which contains * the function. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String sourceArchiveUrl; /** * The hosted repository where the function is defined. * The value may be {@code null}. */ @com.google.api.client.util.Key private SourceRepository sourceRepository; /** * The URL pointing to the hosted repository where the function is defined. There are supported * Cloud Source Repository URLs in the following formats: * * To refer to a specific commit: * `https://source.developers.google.com/projects/repos/revisions/paths` To refer to a moveable * alias (branch): `https://source.developers.google.com/projects/repos/moveable-aliases/paths` In * particular, to refer to HEAD use `master` moveable alias. To refer to a specific fixed alias * (tag): `https://source.developers.google.com/projects/repos/fixed-aliases/paths` * * You may omit `paths` if you want to use the main directory. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String sourceRepositoryUrl; /** * The Google Cloud Storage signed URL used for source uploading, generated by * google.cloud.functions.v1beta2.GenerateUploadUrl * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String sourceUploadUrl; /** * Output only. Status of the function deployment. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String status; /** * The function execution timeout. Execution is considered failed and can be terminated if the * function is not completed at the end of the timeout period. Defaults to 60 seconds. * The value may be {@code null}. */ @com.google.api.client.util.Key private String timeout; /** * Output only. The last update timestamp of a Cloud Function. * The value may be {@code null}. */ @com.google.api.client.util.Key private String updateTime; /** * Output only. The version identifier of the Cloud Function. Each deployment attempt results in a * new version of a function being created. * The value may be {@code null}. */ @com.google.api.client.util.Key @com.google.api.client.json.JsonString private java.lang.Long versionId; /** * The VPC Network Connector that this cloud function can connect to. It can be either the fully- * qualified URI, or the short name of the network connector resource. The format of this field is * `projects/locations/connectors` * * This field is mutually exclusive with `network` field and will eventually replace it. * * See [the VPC documentation](https://cloud.google.com/compute/docs/vpc) for more information on * connecting Cloud projects. * The value may be {@code null}. */ @com.google.api.client.util.Key private java.lang.String vpcConnector; /** * The amount of memory in MB available for a function. Defaults to 256MB. * @return value or {@code null} for none */ public java.lang.Integer getAvailableMemoryMb() { return availableMemoryMb; } /** * The amount of memory in MB available for a function. Defaults to 256MB. * @param availableMemoryMb availableMemoryMb or {@code null} for none */ public CloudFunction setAvailableMemoryMb(java.lang.Integer availableMemoryMb) { this.availableMemoryMb = availableMemoryMb; return this; } /** * The name of the function (as defined in source code) that will be executed. Defaults to the * resource name suffix, if not specified. For backward compatibility, if function with given name * is not found, then the system will try to use function named "function". For Node.js this is * name of a function exported by the module specified in `source_location`. * @return value or {@code null} for none */ public java.lang.String getEntryPoint() { return entryPoint; } /** * The name of the function (as defined in source code) that will be executed. Defaults to the * resource name suffix, if not specified. For backward compatibility, if function with given name * is not found, then the system will try to use function named "function". For Node.js this is * name of a function exported by the module specified in `source_location`. * @param entryPoint entryPoint or {@code null} for none */ public CloudFunction setEntryPoint(java.lang.String entryPoint) { this.entryPoint = entryPoint; return this; } /** * Environment variables that shall be available during function execution. * @return value or {@code null} for none */ public java.util.Map<String, java.lang.String> getEnvironmentVariables() { return environmentVariables; } /** * Environment variables that shall be available during function execution. * @param environmentVariables environmentVariables or {@code null} for none */ public CloudFunction setEnvironmentVariables(java.util.Map<String, java.lang.String> environmentVariables) { this.environmentVariables = environmentVariables; return this; } /** * A source that fires events in response to a condition in another service. * @return value or {@code null} for none */ public EventTrigger getEventTrigger() { return eventTrigger; } /** * A source that fires events in response to a condition in another service. * @param eventTrigger eventTrigger or {@code null} for none */ public CloudFunction setEventTrigger(EventTrigger eventTrigger) { this.eventTrigger = eventTrigger; return this; } /** * An HTTPS endpoint type of source that can be triggered via URL. * @return value or {@code null} for none */ public HTTPSTrigger getHttpsTrigger() { return httpsTrigger; } /** * An HTTPS endpoint type of source that can be triggered via URL. * @param httpsTrigger httpsTrigger or {@code null} for none */ public CloudFunction setHttpsTrigger(HTTPSTrigger httpsTrigger) { this.httpsTrigger = httpsTrigger; return this; } /** * Labels associated with this Cloud Function. * @return value or {@code null} for none */ public java.util.Map<String, java.lang.String> getLabels() { return labels; } /** * Labels associated with this Cloud Function. * @param labels labels or {@code null} for none */ public CloudFunction setLabels(java.util.Map<String, java.lang.String> labels) { this.labels = labels; return this; } /** * Output only. Name of the most recent operation modifying the function. If the function status * is `DEPLOYING` or `DELETING`, then it points to the active operation. * @return value or {@code null} for none */ public java.lang.String getLatestOperation() { return latestOperation; } /** * Output only. Name of the most recent operation modifying the function. If the function status * is `DEPLOYING` or `DELETING`, then it points to the active operation. * @param latestOperation latestOperation or {@code null} for none */ public CloudFunction setLatestOperation(java.lang.String latestOperation) { this.latestOperation = latestOperation; return this; } /** * The limit on the maximum number of function instances that may coexist at a given time. * @return value or {@code null} for none */ public java.lang.Integer getMaxInstances() { return maxInstances; } /** * The limit on the maximum number of function instances that may coexist at a given time. * @param maxInstances maxInstances or {@code null} for none */ public CloudFunction setMaxInstances(java.lang.Integer maxInstances) { this.maxInstances = maxInstances; return this; } /** * A user-defined name of the function. Function names must be unique globally and match pattern * `projects/locations/functions` * @return value or {@code null} for none */ public java.lang.String getName() { return name; } /** * A user-defined name of the function. Function names must be unique globally and match pattern * `projects/locations/functions` * @param name name or {@code null} for none */ public CloudFunction setName(java.lang.String name) { this.name = name; return this; } /** * The VPC Network that this cloud function can connect to. It can be either the fully-qualified * URI, or the short name of the network resource. If the short network name is used, the network * must belong to the same project. Otherwise, it must belong to a project within the same * organization. The format of this field is either `projects/{project}/global/networks/{network}` * or `{network}`, where {project} is a project id where the network is defined, and {network} is * the short name of the network. * * This field is mutually exclusive with `vpc_connector` and will be replaced by it. * * See [the VPC documentation](https://cloud.google.com/compute/docs/vpc) for more information on * connecting Cloud projects. * @return value or {@code null} for none */ public java.lang.String getNetwork() { return network; } /** * The VPC Network that this cloud function can connect to. It can be either the fully-qualified * URI, or the short name of the network resource. If the short network name is used, the network * must belong to the same project. Otherwise, it must belong to a project within the same * organization. The format of this field is either `projects/{project}/global/networks/{network}` * or `{network}`, where {project} is a project id where the network is defined, and {network} is * the short name of the network. * * This field is mutually exclusive with `vpc_connector` and will be replaced by it. * * See [the VPC documentation](https://cloud.google.com/compute/docs/vpc) for more information on * connecting Cloud projects. * @param network network or {@code null} for none */ public CloudFunction setNetwork(java.lang.String network) { this.network = network; return this; } /** * The runtime in which to run the function. Required when deploying a new function, optional when * updating an existing function. For a complete list of possible choices, see the [`gcloud` * command reference](/sdk/gcloud/reference/functions/deploy#--runtime). * @return value or {@code null} for none */ public java.lang.String getRuntime() { return runtime; } /** * The runtime in which to run the function. Required when deploying a new function, optional when * updating an existing function. For a complete list of possible choices, see the [`gcloud` * command reference](/sdk/gcloud/reference/functions/deploy#--runtime). * @param runtime runtime or {@code null} for none */ public CloudFunction setRuntime(java.lang.String runtime) { this.runtime = runtime; return this; } /** * The email of the function's service account. If empty, defaults to * upchh@example.com.com`. * @return value or {@code null} for none */ public java.lang.String getServiceAccount() { return serviceAccount; } /** * The email of the function's service account. If empty, defaults to * upchh@example.com.com`. * @param serviceAccount serviceAccount or {@code null} for none */ public CloudFunction setServiceAccount(java.lang.String serviceAccount) { this.serviceAccount = serviceAccount; return this; } /** * The Google Cloud Storage URL, starting with gs://, pointing to the zip archive which contains * the function. * @return value or {@code null} for none */ public java.lang.String getSourceArchiveUrl() { return sourceArchiveUrl; } /** * The Google Cloud Storage URL, starting with gs://, pointing to the zip archive which contains * the function. * @param sourceArchiveUrl sourceArchiveUrl or {@code null} for none */ public CloudFunction setSourceArchiveUrl(java.lang.String sourceArchiveUrl) { this.sourceArchiveUrl = sourceArchiveUrl; return this; } /** * The hosted repository where the function is defined. * @return value or {@code null} for none */ public SourceRepository getSourceRepository() { return sourceRepository; } /** * The hosted repository where the function is defined. * @param sourceRepository sourceRepository or {@code null} for none */ public CloudFunction setSourceRepository(SourceRepository sourceRepository) { this.sourceRepository = sourceRepository; return this; } /** * The URL pointing to the hosted repository where the function is defined. There are supported * Cloud Source Repository URLs in the following formats: * * To refer to a specific commit: * `https://source.developers.google.com/projects/repos/revisions/paths` To refer to a moveable * alias (branch): `https://source.developers.google.com/projects/repos/moveable-aliases/paths` In * particular, to refer to HEAD use `master` moveable alias. To refer to a specific fixed alias * (tag): `https://source.developers.google.com/projects/repos/fixed-aliases/paths` * * You may omit `paths` if you want to use the main directory. * @return value or {@code null} for none */ public java.lang.String getSourceRepositoryUrl() { return sourceRepositoryUrl; } /** * The URL pointing to the hosted repository where the function is defined. There are supported * Cloud Source Repository URLs in the following formats: * * To refer to a specific commit: * `https://source.developers.google.com/projects/repos/revisions/paths` To refer to a moveable * alias (branch): `https://source.developers.google.com/projects/repos/moveable-aliases/paths` In * particular, to refer to HEAD use `master` moveable alias. To refer to a specific fixed alias * (tag): `https://source.developers.google.com/projects/repos/fixed-aliases/paths` * * You may omit `paths` if you want to use the main directory. * @param sourceRepositoryUrl sourceRepositoryUrl or {@code null} for none */ public CloudFunction setSourceRepositoryUrl(java.lang.String sourceRepositoryUrl) { this.sourceRepositoryUrl = sourceRepositoryUrl; return this; } /** * The Google Cloud Storage signed URL used for source uploading, generated by * google.cloud.functions.v1beta2.GenerateUploadUrl * @return value or {@code null} for none */ public java.lang.String getSourceUploadUrl() { return sourceUploadUrl; } /** * The Google Cloud Storage signed URL used for source uploading, generated by * google.cloud.functions.v1beta2.GenerateUploadUrl * @param sourceUploadUrl sourceUploadUrl or {@code null} for none */ public CloudFunction setSourceUploadUrl(java.lang.String sourceUploadUrl) { this.sourceUploadUrl = sourceUploadUrl; return this; } /** * Output only. Status of the function deployment. * @return value or {@code null} for none */ public java.lang.String getStatus() { return status; } /** * Output only. Status of the function deployment. * @param status status or {@code null} for none */ public CloudFunction setStatus(java.lang.String status) { this.status = status; return this; } /** * The function execution timeout. Execution is considered failed and can be terminated if the * function is not completed at the end of the timeout period. Defaults to 60 seconds. * @return value or {@code null} for none */ public String getTimeout() { return timeout; } /** * The function execution timeout. Execution is considered failed and can be terminated if the * function is not completed at the end of the timeout period. Defaults to 60 seconds. * @param timeout timeout or {@code null} for none */ public CloudFunction setTimeout(String timeout) { this.timeout = timeout; return this; } /** * Output only. The last update timestamp of a Cloud Function. * @return value or {@code null} for none */ public String getUpdateTime() { return updateTime; } /** * Output only. The last update timestamp of a Cloud Function. * @param updateTime updateTime or {@code null} for none */ public CloudFunction setUpdateTime(String updateTime) { this.updateTime = updateTime; return this; } /** * Output only. The version identifier of the Cloud Function. Each deployment attempt results in a * new version of a function being created. * @return value or {@code null} for none */ public java.lang.Long getVersionId() { return versionId; } /** * Output only. The version identifier of the Cloud Function. Each deployment attempt results in a * new version of a function being created. * @param versionId versionId or {@code null} for none */ public CloudFunction setVersionId(java.lang.Long versionId) { this.versionId = versionId; return this; } /** * The VPC Network Connector that this cloud function can connect to. It can be either the fully- * qualified URI, or the short name of the network connector resource. The format of this field is * `projects/locations/connectors` * * This field is mutually exclusive with `network` field and will eventually replace it. * * See [the VPC documentation](https://cloud.google.com/compute/docs/vpc) for more information on * connecting Cloud projects. * @return value or {@code null} for none */ public java.lang.String getVpcConnector() { return vpcConnector; } /** * The VPC Network Connector that this cloud function can connect to. It can be either the fully- * qualified URI, or the short name of the network connector resource. The format of this field is * `projects/locations/connectors` * * This field is mutually exclusive with `network` field and will eventually replace it. * * See [the VPC documentation](https://cloud.google.com/compute/docs/vpc) for more information on * connecting Cloud projects. * @param vpcConnector vpcConnector or {@code null} for none */ public CloudFunction setVpcConnector(java.lang.String vpcConnector) { this.vpcConnector = vpcConnector; return this; } @Override public CloudFunction set(String fieldName, Object value) { return (CloudFunction) super.set(fieldName, value); } @Override public CloudFunction clone() { return (CloudFunction) super.clone(); } }
3e1ea24eb6c2f71d11035c14bf43f92c746cb85a
11,279
java
Java
service-chat/src/main/java/com/workhub/z/servicechat/service/impl/ZzGroupServiceImpl.java
guxiaoqiu/LarkServer
03ea6989de2e2d18a12b5f34f8b7032615d95ce8
[ "Apache-2.0" ]
null
null
null
service-chat/src/main/java/com/workhub/z/servicechat/service/impl/ZzGroupServiceImpl.java
guxiaoqiu/LarkServer
03ea6989de2e2d18a12b5f34f8b7032615d95ce8
[ "Apache-2.0" ]
null
null
null
service-chat/src/main/java/com/workhub/z/servicechat/service/impl/ZzGroupServiceImpl.java
guxiaoqiu/LarkServer
03ea6989de2e2d18a12b5f34f8b7032615d95ce8
[ "Apache-2.0" ]
null
null
null
36.150641
149
0.643674
12,947
package com.workhub.z.servicechat.service.impl; import com.alibaba.fastjson.JSONArray; import com.alibaba.fastjson.JSONObject; import com.github.hollykunge.security.api.vo.user.UserInfo; import com.github.hollykunge.security.common.exception.BaseException; import com.github.hollykunge.security.common.msg.TableResultResponse; import com.github.pagehelper.PageHelper; import com.github.pagehelper.PageInfo; import com.workhub.z.servicechat.VO.GroupUserListVo; import com.workhub.z.servicechat.VO.GroupVO; import com.workhub.z.servicechat.config.common; import com.workhub.z.servicechat.dao.ZzGroupDao; import com.workhub.z.servicechat.dao.ZzUserGroupDao; import com.workhub.z.servicechat.entity.ZzGroup; import com.workhub.z.servicechat.entity.ZzUserGroup; import com.workhub.z.servicechat.feign.IUserService; import com.workhub.z.servicechat.service.ZzGroupService; import org.apache.commons.lang.StringUtils; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import org.springframework.transaction.annotation.Transactional; import javax.annotation.Resource; import java.util.Arrays; import java.util.Date; import java.util.List; import java.util.Map; import java.util.stream.Collectors; import static com.workhub.z.servicechat.config.RandomId.getUUID; import static com.workhub.z.servicechat.config.common.putEntityNullToEmptyString; /** * 群组表(ZzGroup)表服务实现类 * * @author 忠 * @since 2019-05-10 14:29:32 */ @Service("zzGroupService") public class ZzGroupServiceImpl implements ZzGroupService { @Resource private ZzGroupDao zzGroupDao; @Resource private ZzUserGroupDao zzUserGroupDao; @Autowired private IUserService iUserService; /** * 通过ID查询单条数据 * * @param groupId 主键 * @return 实例对象 */ @Override public ZzGroup queryById(String groupId) { return this.zzGroupDao.queryById(groupId); } /** * 查询多条数据 * * @param offset 查询起始位置 * @param limit 查询条数 * @return 对象列表 */ @Override public List<ZzGroup> queryAllByLimit(int offset, int limit) { return this.zzGroupDao.queryAllByLimit(offset, limit); } /** * 新增数据 * * @param zzGroup 实例对象 * @return 实例对象 */ @Override @Transactional public void insert(ZzGroup zzGroup) { try { putEntityNullToEmptyString(zzGroup); } catch (Exception e) { e.printStackTrace(); } this.zzGroupDao.addGroup(zzGroup); // return insert; } /** * 修改数据 * * @param zzGroup 实例对象 * @return 实例对象 */ @Override @Transactional public Integer update(ZzGroup zzGroup) { int update = this.zzGroupDao.update(zzGroup); return update; } /** * 通过主键删除数据 * * @param groupId 主键 * @return 是否成功 */ @Override @Transactional public boolean deleteById(String groupId) { return this.zzGroupDao.deleteById(groupId) > 0; } @Override public PageInfo<GroupUserListVo> groupUserList(String id, int page, int size) throws Exception { // if (StringUtil.isEmpty(id)) throw new NullPointerException("id is null"); // Page<Object> pageMassage = PageHelper.startPage(page, size); // pageMassage.setTotal(this.zzGroupDao.groupUserListTotal(id)); // int startRow = pageMassage.getStartRow(); // int endRow = pageMassage.getEndRow(); // List<GroupUserListVo> groupUserListVos = this.zzGroupDao.groupUserList(id, startRow, endRow); // PageInfo<GroupUserListVo> pageInfoGroupInfo = new PageInfo<GroupUserListVo>(); // if (groupUserListVos ==null || groupUserListVos.isEmpty()) return pageInfoGroupInfo; // List<String> setStr = new ArrayList<>(); // groupUserListVos.stream().forEach(groupUserListVosList -> { // setStr.add(groupUserListVosList.getUserId()); // }); // List<UserInfo> userInfos = iUserService.userList(setStr); // groupUserListVos.stream().forEach(groupUserListVosList ->{ // userInfos.stream().filter(userInfosFilter ->userInfosFilter.getId().equals(groupUserListVosList.getUserId())).forEach(userInfosList ->{ // groupUserListVosList.setLevels("1"/*TODO*/); // groupUserListVosList.setFullName(userInfosList.getName()); // groupUserListVosList.setPassword(userInfosList.getPassword()); // groupUserListVosList.setVip(userInfosList.getDemo());//TODO // }); // }); // ZzGroup zzGroup = this.zzGroupDao.queryById(id); // if (zzGroup ==null) throw new RuntimeException("未查询到群组记录"); // // List<GroupUserListVo> resultList = this.orderByGroupUser(groupUserListVos, zzGroup.getCreator()); // // pageInfoGroupInfo.setList(resultList); // pageInfoGroupInfo.setTotal(pageMassage.getTotal()); // pageInfoGroupInfo.setStartRow(startRow); // pageInfoGroupInfo.setEndRow(endRow); // pageInfoGroupInfo.setPages(pageMassage.getPages()); // pageInfoGroupInfo.setPageNum(page); // pageInfoGroupInfo.setPageSize(size); // return pageInfoGroupInfo; return null; } @Override public Long groupUserListTotal(String groupId) throws Exception { return this.zzGroupDao.groupUserListTotal(groupId); } @Override public List<String> queryGroupUserIdListByGroupId(String groupId) { return this.zzGroupDao.queryGroupUserIdListByGroupId(groupId); } @Override public List<ZzGroup> queryGroupListByUserId(String id) throws Exception { return this.zzGroupDao.queryGroupListByUserId(id); } private List<GroupUserListVo> orderByGroupUser(List<GroupUserListVo> groupUserListVos,String creator) throws RuntimeException{ List<GroupUserListVo> resultList = groupUserListVos.stream() .filter(listf -> !listf.getUserId().equals(creator)&&listf.getVip()!=0) .sorted((a, b) -> a.getVip() - b.getVip()) .collect(Collectors.toList()); try { resultList.add(0,groupUserListVos.stream() .filter(listf -> listf.getUserId().equals(creator)) .collect(Collectors.toList()) .get(0)); } catch (Exception e) { throw new RuntimeException("人员排序时未找到创建人"); } resultList.addAll(groupUserListVos.stream() .filter(listf -> !listf.getUserId().equals(creator) && listf.getVip() != 0) .collect(Collectors.toList())); return resultList; } /** * 逻辑删除群 * @param groupId 群id * @return 1成功;-1错误 * @author zhuqz * @since 2019-06-11 */ @Override public String deleteGroupLogic(String groupId, String delFlg) { int i=this.zzGroupDao.deleteGroupLogic( groupId, delFlg); return "1"; } /** * 获取群成员列表 */ @Override public String getGroupUserList(String groupId) { List<String> userIdList = this.zzGroupDao.queryGroupUserIdListByGroupId(groupId); StringBuilder ids = new StringBuilder(); System.out.println(ids.length()); for(String temp:userIdList){ ids.append(temp+","); } if(ids.length()>0){ ids.setLength(ids.length()-1); } //测试使用,给前端返回测试数据 /* List<UserInfoVO> data=new ArrayList<>(); for(int i=0;i<5;i++){ UserInfoVO vo=new UserInfoVO(); vo.setId("id"+i); vo.setName("name"+i); vo.setOnline((i%2)+""); vo.setAvartar("http://10.11.24.5:80/group1/M00/00/00/CgxhIl0N9FOALihUAADc6-sdZkU837.jpg"); data.add(vo); } ListRestResponse res = new ListRestResponse("200",data.size(),data);*/ return ids.toString(); } //群组信息监控 //param:page 页码 size 每页几条;group_name群组名称;creator创建人姓名;level密级; // dateBegin创建时间开始;dateEnd创建时间结束;pname项目名称;isclose是否关闭 @Override public TableResultResponse<GroupVO> groupListMonitoring(Map<String,String> params) throws Exception{ int page=Integer.valueOf(common.nulToEmptyString(params.get("page"))); int size=Integer.valueOf(common.nulToEmptyString(params.get("size"))); PageHelper.startPage(page, size); List<GroupVO> dataList =this.zzGroupDao.groupListMonitoring(params); //null的String类型属性转换空字符串 common.putVoNullStringToEmptyString(dataList); UserInfo userInfo=null; for(GroupVO groupVO:dataList){ userInfo=iUserService.info(common.nulToEmptyString(groupVO.getCreator())); groupVO.setCreatorName(userInfo==null?"":userInfo.getName()); } PageInfo<GroupVO> pageInfo = new PageInfo<>(dataList); TableResultResponse<GroupVO> res = new TableResultResponse<GroupVO>( pageInfo.getPageSize(), pageInfo.getPageNum(), pageInfo.getPages(), pageInfo.getTotal(), pageInfo.getList() ); return res; } @Override @Transactional(rollbackFor={RuntimeException.class, Exception.class}) public void dissolveGroup(String groupId){ zzUserGroupDao.deleteByGroupId(groupId); ZzGroup group = new ZzGroup(); group.setGroupId(groupId); group.setIsdelete("1"); zzGroupDao.update(group); } @Override public void removeMember(String groupId, String userId){ zzUserGroupDao.deleteByGroupIdAndUserId(groupId, userId); } @Override @Transactional(rollbackFor={RuntimeException.class, Exception.class}) public void addMember(String groupId, String userIds){ String userIdsTemp = ""; // JSONArray userIdJson = JSONObject.parseArray(userIds); if(StringUtils.isEmpty(userIds)){ throw new BaseException("添加的人员不能为空"); } List<String> userIdJson = Arrays.asList(userIds.split(",")); //更新关联表 zzUserGroupDao.deleteByGroupId(groupId); for (int i = 0; i < userIdJson.size(); i++) { ZzUserGroup userGroup = new ZzUserGroup(); userGroup.setCreatetime(new Date()); userGroup.setId(getUUID()); userGroup.setGroupId(groupId); // userGroup.setUserId(userIdJson.getString(i)); userGroup.setUserId(userIdJson.get(i)); zzUserGroupDao.insert(userGroup); } for (int i = 0; i < userIdJson.size(); i++) { // userIdsTemp += ","+userIdJson.getString(i); userIdsTemp += ","+userIdJson.get(i); } //判断是否跨域场所,直接用的ProcessEditGroup里面那个 boolean isCross = false; if(!userIdsTemp.equals("")){ userIdsTemp = userIdsTemp.substring(1); List<UserInfo> userInfoList = iUserService.userList(userIdsTemp); isCross = common.isGroupCross(userInfoList); } ZzGroup zzGroupInfo = new ZzGroup(); zzGroupInfo.setGroupId(groupId); zzGroupInfo.setIscross(isCross?"1":"0"); zzGroupDao.update(zzGroupInfo); } }
3e1ea2604e4ab72e0e4238d14093bdb7f57385fe
3,006
java
Java
app/src/main/java/nodomain/freeyourgadget/gadgetbridge/service/btle/BtLEAction.java
hurjeesic/YourSleeping
de5e83902cd2e8df0a697c041f7f7223ad2de40d
[ "Apache-2.0" ]
null
null
null
app/src/main/java/nodomain/freeyourgadget/gadgetbridge/service/btle/BtLEAction.java
hurjeesic/YourSleeping
de5e83902cd2e8df0a697c041f7f7223ad2de40d
[ "Apache-2.0" ]
null
null
null
app/src/main/java/nodomain/freeyourgadget/gadgetbridge/service/btle/BtLEAction.java
hurjeesic/YourSleeping
de5e83902cd2e8df0a697c041f7f7223ad2de40d
[ "Apache-2.0" ]
null
null
null
38.050633
101
0.722555
12,948
/* Copyright (C) 2015-2019 Andreas Shimokawa, Carsten Pfeiffer, Uwe Hermann This file is part of Gadgetbridge. Gadgetbridge is free software: you can redistribute it and/or modify it under the terms of the GNU Affero General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. Gadgetbridge is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License for more details. You should have received a copy of the GNU Affero General Public License along with this program. If not, see <http://www.gnu.org/licenses/>. */ package nodomain.freeyourgadget.gadgetbridge.service.btle; import android.bluetooth.BluetoothGatt; import android.bluetooth.BluetoothGattCharacteristic; import java.util.Date; import nodomain.freeyourgadget.gadgetbridge.util.DateTimeUtils; /** * The Bluedroid implementation only allows performing one GATT request at a time. * As they are asynchronous anyway, we encapsulate every GATT request (read and write) * inside a runnable action. * <p/> * These actions are then executed one after another, ensuring that every action's result * has been posted before invoking the next action. */ public abstract class BtLEAction { private final BluetoothGattCharacteristic characteristic; private final long creationTimestamp; public BtLEAction(BluetoothGattCharacteristic characteristic) { this.characteristic = characteristic; creationTimestamp = System.currentTimeMillis(); } /** * Returns true if this action expects an (async) result which must * be waited for, before continuing with other actions. * <p/> * This is needed because the current Bluedroid stack can only deal * with one single bluetooth operation at a time. */ public abstract boolean expectsResult(); /** * Executes this action, e.g. reads or write a GATT characteristic. * * @param gatt the characteristic to manipulate, or null if none. * @return true if the action was successful, false otherwise */ public abstract boolean run(BluetoothGatt gatt); /** * Returns the GATT characteristic being read/written/... * * @return the GATT characteristic, or <code>null</code> */ public BluetoothGattCharacteristic getCharacteristic() { return characteristic; } protected String getCreationTime() { return DateTimeUtils.formatDateTime(new Date(creationTimestamp)); } public String toString() { BluetoothGattCharacteristic characteristic = getCharacteristic(); String uuid = characteristic == null ? "(null)" : characteristic.getUuid().toString(); return getCreationTime() + ": " + getClass().getSimpleName() + " on characteristic: " + uuid; } }
3e1ea283f157b97d3b8651142eb92a2f58b91599
618
java
Java
src/main/java/com/bingo/service/impl/SellerServiceImpl.java
acbin/seckill-project
16e358256a7d4653300cf553538db91b8641c853
[ "MIT" ]
3
2018-12-06T12:38:33.000Z
2019-03-09T08:10:00.000Z
src/main/java/com/bingo/service/impl/SellerServiceImpl.java
acbin/seckill-project
16e358256a7d4653300cf553538db91b8641c853
[ "MIT" ]
null
null
null
src/main/java/com/bingo/service/impl/SellerServiceImpl.java
acbin/seckill-project
16e358256a7d4653300cf553538db91b8641c853
[ "MIT" ]
1
2020-08-13T19:03:40.000Z
2020-08-13T19:03:40.000Z
18.727273
57
0.720065
12,949
package com.bingo.service.impl; import com.bingo.dao.SellerMapper; import com.bingo.model.Seller; import com.bingo.service.SellerService; import org.springframework.stereotype.Service; import javax.annotation.Resource; /** * SellerService 接口实现类 * * @author bingo * @since 2018/11/4 */ @Service public class SellerServiceImpl implements SellerService { @Resource private SellerMapper sellerMapper; @Override public Seller queryById(int id) { return sellerMapper.findById(id); } @Override public int save(Seller seller) { return sellerMapper.save(seller); } }
3e1ea3d13824902f565e3cb447edc8251f1a828f
7,854
java
Java
plugins/org.jkiss.dbeaver.ext.erd/src/org/jkiss/dbeaver/ext/erd/part/NotePart.java
arnaud-jacquemin/dbeaver
186d20b9957c2cba2ee0abed1b500d2bf2c90243
[ "Apache-2.0" ]
1
2018-09-04T01:50:05.000Z
2018-09-04T01:50:05.000Z
plugins/org.jkiss.dbeaver.ext.erd/src/org/jkiss/dbeaver/ext/erd/part/NotePart.java
arnaud-jacquemin/dbeaver
186d20b9957c2cba2ee0abed1b500d2bf2c90243
[ "Apache-2.0" ]
null
null
null
plugins/org.jkiss.dbeaver.ext.erd/src/org/jkiss/dbeaver/ext/erd/part/NotePart.java
arnaud-jacquemin/dbeaver
186d20b9957c2cba2ee0abed1b500d2bf2c90243
[ "Apache-2.0" ]
1
2020-11-04T04:52:40.000Z
2020-11-04T04:52:40.000Z
31.947154
123
0.667515
12,950
/* * DBeaver - Universal Database Manager * Copyright (C) 2010-2018 Serge Rider (envkt@example.com) * Copyright (C) 2011-2012 Eugene Fradkin (anpch@example.com) * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.jkiss.dbeaver.ext.erd.part; import org.eclipse.draw2d.ChopboxAnchor; import org.eclipse.draw2d.ConnectionAnchor; import org.eclipse.draw2d.geometry.Dimension; import org.eclipse.draw2d.geometry.Point; import org.eclipse.draw2d.geometry.Rectangle; import org.eclipse.gef.ConnectionEditPart; import org.eclipse.gef.EditPolicy; import org.eclipse.gef.Request; import org.eclipse.gef.RequestConstants; import org.eclipse.gef.commands.Command; import org.eclipse.gef.requests.DirectEditRequest; import org.eclipse.gef.tools.DirectEditManager; import org.jkiss.dbeaver.ext.erd.directedit.ExtendedDirectEditManager; import org.jkiss.dbeaver.ext.erd.directedit.FigureEditorLocator; import org.jkiss.dbeaver.ext.erd.figures.NoteFigure; import org.jkiss.dbeaver.ext.erd.model.ERDNote; import org.jkiss.dbeaver.ext.erd.model.EntityDiagram; import org.jkiss.dbeaver.ext.erd.policy.NoteDirectEditPolicy; import org.jkiss.dbeaver.model.DBPNamedObject; import org.jkiss.dbeaver.ui.controls.MultilineTextCellEditor; import java.beans.PropertyChangeEvent; /** * Represents the editable/resizable note. * * @author Serge Rider */ public class NotePart extends NodePart { private DirectEditManager manager; public NotePart() { } public ERDNote getNote() { return (ERDNote) getModel(); } /** * Creates edit policies and associates these with roles */ @Override protected void createEditPolicies() { final boolean editEnabled = isEditEnabled(); if (editEnabled) { //installEditPolicy(EditPolicy.GRAPHICAL_NODE_ROLE, new EntityConnectionEditPolicy()); //installEditPolicy(EditPolicy.LAYOUT_ROLE, new EntityLayoutEditPolicy()); //installEditPolicy(EditPolicy.CONTAINER_ROLE, new EntityContainerEditPolicy()); //installEditPolicy(EditPolicy.COMPONENT_ROLE, new NoteEditPolicy()); installEditPolicy(EditPolicy.DIRECT_EDIT_ROLE, new NoteDirectEditPolicy()); //installEditPolicy(EditPolicy.COMPONENT_ROLE, new NoteDirectEditPolicy()); //installEditPolicy(EditPolicy.SELECTION_FEEDBACK_ROLE, new ResizableEditPolicy()); } } @Override public void performRequest(Request request) { if (request.getType() == RequestConstants.REQ_OPEN) { performDirectEdit(); } else if (request.getType() == RequestConstants.REQ_DIRECT_EDIT) { if (request instanceof DirectEditRequest && !directEditHitTest(((DirectEditRequest) request).getLocation().getCopy())) return; performDirectEdit(); } } @Override public Command getCommand(Request request) { if (request.getType() == RequestConstants.REQ_DIRECT_EDIT) { performDirectEdit(); } return super.getCommand(request); } private boolean directEditHitTest(Point requestLoc) { NoteFigure figure = (NoteFigure) getFigure(); figure.translateToRelative(requestLoc); return figure.containsPoint(requestLoc); } protected void performDirectEdit() { if (manager == null) { NoteFigure figure = (NoteFigure) getFigure(); manager = new ExtendedDirectEditManager( this, MultilineTextCellEditor.class, new FigureEditorLocator(figure), figure, value -> null); } manager.show(); } public String toString() { return getNote().getObject(); } public void handleNameChange(String value) { NoteFigure noteFigure = (NoteFigure) getFigure(); noteFigure.setVisible(false); refreshVisuals(); } /** * Reverts to existing name in model when exiting from a direct edit * (possibly before a commit which will result in a change in the figure * value) */ public void revertNameChange() { NoteFigure noteFigure = (NoteFigure) getFigure(); noteFigure.setText(getNote().getObject()); noteFigure.setVisible(true); refreshVisuals(); } /** * Handles change in name when committing a direct edit */ @Override protected void commitNameChange(PropertyChangeEvent evt) { NoteFigure noteFigure = (NoteFigure) getFigure(); noteFigure.setText(getNote().getObject()); noteFigure.setVisible(true); refreshVisuals(); } //******************* Layout related methods *********************/ /** * Creates a figure which represents the table */ @Override protected NoteFigure createFigure() { final NoteFigure noteFigure = new NoteFigure(getNote()); EntityDiagram.NodeVisualInfo visualInfo = ((DiagramPart) getParent()).getDiagram().getVisualInfo(getNote(), true); Rectangle bounds = visualInfo.initBounds; if (bounds != null) { noteFigure.setBounds(bounds); noteFigure.setPreferredSize(bounds.getSize()); //noteFigure.setLocation(bounds.getLocation()); //noteFigure.setSize(bounds.getSize()); } else if (noteFigure.getSize().isEmpty()) { noteFigure.setPreferredSize(new Dimension(100, 50)); } this.customBackground = visualInfo.bgColor; if (this.customBackground != null) { noteFigure.setBackgroundColor(this.customBackground); } return noteFigure; } /** * Reset the layout constraint, and revalidate the content pane */ @Override protected void refreshVisuals() { NoteFigure notefigure = (NoteFigure) getFigure(); Point location = notefigure.getLocation(); DiagramPart parent = (DiagramPart) getParent(); Rectangle constraint = new Rectangle(location.x, location.y, -1, -1); parent.setLayoutConstraint(this, notefigure, constraint); } /** * Sets the width of the line when selected */ @Override public void setSelected(int value) { super.setSelected(value); /* NoteFigure noteFigure = (NoteFigure) getFigure(); if (value != EditPart.SELECTED_NONE) noteFigure.setSelected(true); else noteFigure.setSelected(false); noteFigure.repaint(); */ } @Override public ConnectionAnchor getSourceConnectionAnchor(ConnectionEditPart connection) { return new ChopboxAnchor(getFigure()); } @Override public ConnectionAnchor getSourceConnectionAnchor(Request request) { return new ChopboxAnchor(getFigure()); } @Override public ConnectionAnchor getTargetConnectionAnchor(ConnectionEditPart connection) { return new ChopboxAnchor(getFigure()); } @Override public ConnectionAnchor getTargetConnectionAnchor(Request request) { return new ChopboxAnchor(getFigure()); } @Override public Object getAdapter(Class key) { if (key == DBPNamedObject.class) { return getNote(); } return super.getAdapter(key); } }
3e1ea404f8f8013f87197f0d8ef110315da731b9
1,531
java
Java
xchange-examples/src/test/java/com/xeiam/xchange/examples/btcchina/marketdata/DepthDemoTest.java
0dd-b1t/XChange
41096ad7203a73e626ad2025e4f979363a8ae51b
[ "MIT" ]
null
null
null
xchange-examples/src/test/java/com/xeiam/xchange/examples/btcchina/marketdata/DepthDemoTest.java
0dd-b1t/XChange
41096ad7203a73e626ad2025e4f979363a8ae51b
[ "MIT" ]
null
null
null
xchange-examples/src/test/java/com/xeiam/xchange/examples/btcchina/marketdata/DepthDemoTest.java
0dd-b1t/XChange
41096ad7203a73e626ad2025e4f979363a8ae51b
[ "MIT" ]
null
null
null
35.604651
82
0.757022
12,951
/** * Copyright (C) 2012 - 2014 Xeiam LLC http://xeiam.com * * Permission is hereby granted, free of charge, to any person obtaining a copy of * this software and associated documentation files (the "Software"), to deal in * the Software without restriction, including without limitation the rights to * use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies * of the Software, and to permit persons to whom the Software is furnished to do * so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in all * copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ package com.xeiam.xchange.examples.btcchina.marketdata; import org.junit.Test; import org.junit.experimental.categories.Category; import com.xeiam.xchange.OnlineTest; /** * Demonstrate requesting Order Book at BTC China */ @Category(OnlineTest.class) public class DepthDemoTest { @Test public void testMain() throws Exception { BTCChinaDepthDemo.main(new String[] {}); } }
3e1ea497efe36682a8c82ebc247e9207e8f64033
327
java
Java
src/main/java/com/lfp/demo/pattern/behaviour/visitor/base/BlackHorse.java
LittlFlowerPig/lfp-pattern
a2a8a77861a862cdf8e035d4662d27aefcb7896b
[ "Apache-2.0" ]
null
null
null
src/main/java/com/lfp/demo/pattern/behaviour/visitor/base/BlackHorse.java
LittlFlowerPig/lfp-pattern
a2a8a77861a862cdf8e035d4662d27aefcb7896b
[ "Apache-2.0" ]
null
null
null
src/main/java/com/lfp/demo/pattern/behaviour/visitor/base/BlackHorse.java
LittlFlowerPig/lfp-pattern
a2a8a77861a862cdf8e035d4662d27aefcb7896b
[ "Apache-2.0" ]
null
null
null
15.571429
52
0.639144
12,952
package com.lfp.demo.pattern.behaviour.visitor.base; /** * Title: * Description: * Project: lfp-pattern * Date: 2017-12-21 * Copyright: Copyright (c) 2020 * Company: LFP * * @author ZhuTao * @version 1.0 */ public class BlackHorse extends Horse { public void run(){ System.out.println("黑马飞奔"); } }