blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
4
410
content_id
stringlengths
40
40
detected_licenses
sequencelengths
0
51
license_type
stringclasses
2 values
repo_name
stringlengths
5
132
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringlengths
4
80
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
5.85k
689M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
22 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
131 values
src_encoding
stringclasses
34 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
3
9.45M
extension
stringclasses
32 values
content
stringlengths
3
9.45M
authors
sequencelengths
1
1
author_id
stringlengths
0
313
5ae2024d2881505aafaab2a0ab55100c2365296c
12b14b30fcaf3da3f6e9dc3cb3e717346a35870a
/examples/commons-math3/mutations/mutants-JacobianFunction/1/org/apache/commons/math3/analysis/differentiation/JacobianFunction.java
460b8510f88226ce1598a8b2a1bb0b6786de8f5d
[ "BSD-3-Clause", "Minpack", "Apache-2.0" ]
permissive
SmartTests/smartTest
b1de326998857e715dcd5075ee322482e4b34fb6
b30e8ec7d571e83e9f38cd003476a6842c06ef39
refs/heads/main
2023-01-03T01:27:05.262904
2020-10-27T20:24:48
2020-10-27T20:24:48
305,502,060
0
0
null
null
null
null
UTF-8
Java
false
false
2,554
java
/* * 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.commons.math3.analysis.differentiation; import org.apache.commons.math3.analysis.MultivariateMatrixFunction; /** Class representing the Jacobian of a multivariate vector function. * <p> * The rows iterate on the model functions while the columns iterate on the parameters; thus, * the numbers of rows is equal to the dimension of the underlying function vector * value and the number of columns is equal to the number of free parameters of * the underlying function. * </p> * @version $Id$ * @since 3.1 */ public class JacobianFunction implements MultivariateMatrixFunction { /** Underlying vector-valued function. */ private final MultivariateDifferentiableVectorFunction f; /** Simple constructor. * @param f underlying vector-valued function */ public JacobianFunction(final MultivariateDifferentiableVectorFunction f) { this.f = null; } /** {@inheritDoc} */ public double[][] value(double[] point) { // set up parameters final DerivativeStructure[] dsX = new DerivativeStructure[point.length]; for (int i = 0; i < point.length; ++i) { dsX[i] = new DerivativeStructure(point.length, 1, i, point[i]); } // compute the derivatives final DerivativeStructure[] dsY = f.value(dsX); // extract the Jacobian final double[][] y = new double[dsY.length][point.length]; final int[] orders = new int[point.length]; for (int i = 0; i < dsY.length; ++i) { for (int j = 0; j < point.length; ++j) { orders[j] = 1; y[i][j] = dsY[i].getPartialDerivative(orders); orders[j] = 0; } } return y; } }
502d10fb46c82da6f200f376a5285a90692f40ab
f790d24ed8c46cdc092dd7a0d1a3602868c66a70
/app/src/main/java/com/noerkhalidah/ongkirin/ui/auth/login.java
0780c64b276ed03dc04d819acacc48653a53ab4a
[]
no_license
NoerkhalidahMiskiyah/ongkirin
3cb63650dc3e5f96d08b9c88d760e089e9108bd0
c22be080d3689485cf572de580b7a7b51578c94e
refs/heads/master
2023-07-01T19:31:02.732657
2021-08-08T16:46:46
2021-08-08T16:46:46
393,990,171
0
0
null
null
null
null
UTF-8
Java
false
false
3,038
java
package com.noerkhalidah.ongkirin.ui.auth; import androidx.annotation.NonNull; import androidx.appcompat.app.AppCompatActivity; import android.content.Intent; import android.os.Bundle; import android.text.TextUtils; import android.view.View; import android.widget.Button; import android.widget.EditText; import android.widget.TextView; import android.widget.Toast; import com.google.android.gms.tasks.OnCompleteListener; import com.google.android.gms.tasks.Task; import com.google.firebase.auth.AuthResult; import com.google.firebase.auth.FirebaseAuth; import com.noerkhalidah.ongkirin.R; import com.noerkhalidah.ongkirin.ui.home.MainActivity; public class login extends AppCompatActivity { TextView tvCreateAccount; Button btnLogin; EditText txtUsername; EditText txtPassword; FirebaseAuth fAuth; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_login); btnLogin = findViewById(R.id.btnLogin); txtUsername = findViewById(R.id.txtUsername); txtPassword = findViewById(R.id.txtPassword); fAuth = FirebaseAuth.getInstance(); tvCreateAccount = findViewById(R.id.tvCreateAccount); btnLogin.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { String email = txtUsername.getText().toString().trim(); String password = txtPassword.getText().toString().trim(); if (TextUtils.isEmpty(email)) { txtUsername.setError("email is required"); return; } if (TextUtils.isEmpty(password)) { txtPassword.setError("password is required"); return; } if (password.length() < 6) { txtPassword.setError("password must be >= 6 character"); return; } fAuth.signInWithEmailAndPassword(email, password).addOnCompleteListener(new OnCompleteListener<AuthResult>() { @Override public void onComplete(@NonNull Task<AuthResult> task) { if (task.isSuccessful()) { Toast.makeText(login.this, "Login Sucess", Toast.LENGTH_SHORT).show(); startActivity(new Intent(getApplicationContext(), MainActivity.class)); } else { Toast.makeText(login.this, "Email atau Password salah" , Toast.LENGTH_SHORT).show(); } } }); } }); tvCreateAccount.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { Intent intent = new Intent(getApplicationContext(),register.class); startActivity(intent); } }); } }
759d0d2ef9b911ac60136a4d4f743b5446167059
d523206fce46708a6fe7b2fa90e81377ab7b6024
/com/parse/ParseSQLiteOpenHelper.java
c339e8b4bdfe828bd7b35748b8904218ae4388cd
[]
no_license
BlitzModder/BlitzJava
0ee94cc069dc4b7371d1399ff5575471bdc88aac
6c6d71d2847dfd5f9f4f7c716cd820aeb7e45f2c
refs/heads/master
2021-06-11T15:04:05.571324
2017-02-04T16:04:55
2017-02-04T16:04:55
77,459,517
1
2
null
null
null
null
UTF-8
Java
false
false
2,157
java
package com.parse; import android.content.Context; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteDatabase.CursorFactory; import android.database.sqlite.SQLiteOpenHelper; import bolts.Task; abstract class ParseSQLiteOpenHelper { private final SQLiteOpenHelper helper; public ParseSQLiteOpenHelper(Context paramContext, String paramString, SQLiteDatabase.CursorFactory paramCursorFactory, int paramInt) { this.helper = new SQLiteOpenHelper(paramContext, paramString, paramCursorFactory, paramInt) { public void onCreate(SQLiteDatabase paramAnonymousSQLiteDatabase) { ParseSQLiteOpenHelper.this.onCreate(paramAnonymousSQLiteDatabase); } public void onOpen(SQLiteDatabase paramAnonymousSQLiteDatabase) { super.onOpen(paramAnonymousSQLiteDatabase); ParseSQLiteOpenHelper.this.onOpen(paramAnonymousSQLiteDatabase); } public void onUpgrade(SQLiteDatabase paramAnonymousSQLiteDatabase, int paramAnonymousInt1, int paramAnonymousInt2) { ParseSQLiteOpenHelper.this.onUpgrade(paramAnonymousSQLiteDatabase, paramAnonymousInt1, paramAnonymousInt2); } }; } private Task<ParseSQLiteDatabase> getDatabaseAsync(boolean paramBoolean) { SQLiteOpenHelper localSQLiteOpenHelper = this.helper; if (!paramBoolean) {} for (int i = 1;; i = 0) { return ParseSQLiteDatabase.openDatabaseAsync(localSQLiteOpenHelper, i); } } public Task<ParseSQLiteDatabase> getReadableDatabaseAsync() { return getDatabaseAsync(false); } public Task<ParseSQLiteDatabase> getWritableDatabaseAsync() { return getDatabaseAsync(true); } public abstract void onCreate(SQLiteDatabase paramSQLiteDatabase); public void onOpen(SQLiteDatabase paramSQLiteDatabase) {} public abstract void onUpgrade(SQLiteDatabase paramSQLiteDatabase, int paramInt1, int paramInt2); } /* Location: /Users/subdiox/Downloads/dex2jar-2.0/net.wargaming.wot.blitz-dex2jar.jar!/com/parse/ParseSQLiteOpenHelper.class * Java compiler version: 6 (50.0) * JD-Core Version: 0.7.1 */
d912095690e6cc94d0a997eff0957d620e4a930f
6fa701cdaa0d83caa0d3cbffe39b40e54bf3d386
/google/storage/v1/google-cloud-storage-v1-java/proto-google-cloud-storage-v1-java/src/main/java/com/google/storage/v1/ListBucketsRequestOrBuilder.java
c1cd327567c03bbf22fb31520c4db081256481a9
[ "Apache-2.0" ]
permissive
oltoco/googleapis-gen
bf40cfad61b4217aca07068bd4922a86e3bbd2d5
00ca50bdde80906d6f62314ef4f7630b8cdb6e15
refs/heads/master
2023-07-17T22:11:47.848185
2021-08-29T20:39:47
2021-08-29T20:39:47
null
0
0
null
null
null
null
UTF-8
Java
false
true
3,423
java
// Generated by the protocol buffer compiler. DO NOT EDIT! // source: google/storage/v1/storage.proto package com.google.storage.v1; public interface ListBucketsRequestOrBuilder extends // @@protoc_insertion_point(interface_extends:google.storage.v1.ListBucketsRequest) com.google.protobuf.MessageOrBuilder { /** * <pre> * Maximum number of buckets to return in a single response. The service will * use this parameter or 1,000 items, whichever is smaller. * </pre> * * <code>int32 max_results = 1;</code> * @return The maxResults. */ int getMaxResults(); /** * <pre> * A previously-returned page token representing part of the larger set of * results to view. * </pre> * * <code>string page_token = 2;</code> * @return The pageToken. */ java.lang.String getPageToken(); /** * <pre> * A previously-returned page token representing part of the larger set of * results to view. * </pre> * * <code>string page_token = 2;</code> * @return The bytes for pageToken. */ com.google.protobuf.ByteString getPageTokenBytes(); /** * <pre> * Filter results to buckets whose names begin with this prefix. * </pre> * * <code>string prefix = 3;</code> * @return The prefix. */ java.lang.String getPrefix(); /** * <pre> * Filter results to buckets whose names begin with this prefix. * </pre> * * <code>string prefix = 3;</code> * @return The bytes for prefix. */ com.google.protobuf.ByteString getPrefixBytes(); /** * <pre> * Required. A valid API project identifier. * </pre> * * <code>string project = 4 [(.google.api.field_behavior) = REQUIRED];</code> * @return The project. */ java.lang.String getProject(); /** * <pre> * Required. A valid API project identifier. * </pre> * * <code>string project = 4 [(.google.api.field_behavior) = REQUIRED];</code> * @return The bytes for project. */ com.google.protobuf.ByteString getProjectBytes(); /** * <pre> * Set of properties to return. Defaults to `NO_ACL`. * </pre> * * <code>.google.storage.v1.CommonEnums.Projection projection = 5;</code> * @return The enum numeric value on the wire for projection. */ int getProjectionValue(); /** * <pre> * Set of properties to return. Defaults to `NO_ACL`. * </pre> * * <code>.google.storage.v1.CommonEnums.Projection projection = 5;</code> * @return The projection. */ com.google.storage.v1.CommonEnums.Projection getProjection(); /** * <pre> * A set of parameters common to all Storage API requests. * </pre> * * <code>.google.storage.v1.CommonRequestParams common_request_params = 7;</code> * @return Whether the commonRequestParams field is set. */ boolean hasCommonRequestParams(); /** * <pre> * A set of parameters common to all Storage API requests. * </pre> * * <code>.google.storage.v1.CommonRequestParams common_request_params = 7;</code> * @return The commonRequestParams. */ com.google.storage.v1.CommonRequestParams getCommonRequestParams(); /** * <pre> * A set of parameters common to all Storage API requests. * </pre> * * <code>.google.storage.v1.CommonRequestParams common_request_params = 7;</code> */ com.google.storage.v1.CommonRequestParamsOrBuilder getCommonRequestParamsOrBuilder(); }
[ "bazel-bot-development[bot]@users.noreply.github.com" ]
bazel-bot-development[bot]@users.noreply.github.com
127a127b1ebd9c6006c89128092f1e5ab86736c2
a6e8e9f76c171eaf06cd15f552911ee9aad67d63
/SpringAOP_03/src/com/atguigu/utils/ValidateAspect.java
7490529d58e282025f2bf49eca8d85297eac531f
[]
no_license
luwang951753/spring_base
844820001f4607a27da0c983525a36acc511332d
1fa995aefdb1fecf0faebc9639f7d763529b797a
refs/heads/master
2022-08-24T01:02:54.464097
2020-05-26T08:00:06
2020-05-26T08:00:06
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,647
java
package com.atguigu.utils; import org.aspectj.lang.JoinPoint; import org.aspectj.lang.Signature; import org.aspectj.lang.annotation.*; import org.springframework.core.annotation.Order; import org.springframework.stereotype.Component; import java.util.Arrays; /** * @author ZerlindaLi create at 2020/4/26 17:37 * @version 1.0.0 * @description ValidateApsect */ @Aspect @Component @Order(2) public class ValidateAspect { public static void logStart(JoinPoint joinPoint){ // 获取到方法参数 Object args = joinPoint.getArgs(); // 获取到方法签名 Signature signature = joinPoint.getSignature(); String name = signature.getName(); System.out.println("【ValidateApsect前置】【"+name+"】方法开始执行,用的参数列表【"+ Arrays.asList(args)+"】"); } public static void logReturn(JoinPoint joinPoint, Object result){ // 获取到方法签名 Signature signature = joinPoint.getSignature(); String name = signature.getName(); System.out.println("【ValidateApsect返回】【"+name+"】方法执行完成,计算结果是【"+result+"】"); } public static void logException(JoinPoint joinPoint, Exception exception) { System.out.println("【ValidateApsect异常】【"+joinPoint.getSignature().getName()+"】方法执行异常,异常信息是【"+exception+"】。这个异常已经通知测试小组进行排查。"); } private static void logEnd(JoinPoint joinPoint){ System.out.println("【ValidateApsect后置】【"+joinPoint.getSignature().getName()+"】方法最终结束了"); } }
86662542fe95c9b6cc210850a6199d764bd0398f
758668e818f5d62772a4aa740da471d8aefb4003
/src/main/java/SavingsAccount.java
95bf4a110d387579a2efda0e2bb5f005c7b83e01
[]
no_license
wbg0004/Activity8
4ffba7bdb14db8cdb2dc883c3c0dc1e8681d6445
5c8ec924a45addfd3678622bddadb09e6ad13197
refs/heads/master
2021-07-12T09:34:57.030241
2019-09-13T00:20:03
2019-09-13T00:20:03
208,160,601
0
0
null
2020-10-13T16:00:14
2019-09-12T23:06:22
Java
UTF-8
Java
false
false
1,016
java
public class SavingsAccount extends Account { public static double MONTHLY_FEE = 35.0; private int monthlyWithdrawals = 0; private double monthlyDeposited = 0; public static double MIN_WAVE_FEE = 100; public SavingsAccount(String owner, double balance) { super(owner, balance); } public void chargeNewMonth() { monthlyWithdrawals = 0; if (monthlyDeposited < MIN_WAVE_FEE) { mTotalFee += MONTHLY_FEE; } monthlyDeposited = 0; } public void withdraw(double amount) { if (monthlyWithdrawals >= 6) { System.out.println("You can only make 6 withdrawals a month."); return; } if (amount > mBalance) { System.out.println("You do not have that much money."); return; } super.withdraw(amount); monthlyWithdrawals++; } public void deposit(double amount) { super.deposit(amount); monthlyDeposited += amount; } }
25e1820e02a790cab9062d746cc83eeaeb4c962e
fbcb881a2cd0f2b28be0b6d7ab84e8e5bf4097a5
/gameoflife/src/test/java/fr/xebia/training/jbehave/part8/finished/P8FTestBoardStep.java
513571bdcd830ebbfdacb90978ecbc7a96beb8e0
[]
no_license
sunsations/BDD-Game-Of-Life
dfd83289e0d1f1103f88ea54e7310c2b2799e118
da2c472d143cd5aead24dbcf8fe1c4cde3e326b1
refs/heads/master
2021-01-18T18:51:15.647830
2010-12-01T15:16:41
2010-12-01T15:16:41
null
0
0
null
null
null
null
UTF-8
Java
false
false
868
java
package fr.xebia.training.jbehave.part8.finished; import junit.framework.Assert; import org.jbehave.core.annotations.Given; import org.jbehave.core.annotations.Then; import org.jbehave.core.annotations.When; import fr.xebia.training.tdd.gameoflife.Board; import fr.xebia.training.tdd.gameoflife.Coordinate; import fr.xebia.training.tdd.gameoflife.Universe; public class P8FTestBoardStep { private Universe board; @Given("une grille vide de taille $size") public void givenAGame(int size) { Coordinate[] initialState = new Coordinate[]{ new Coordinate(0, 0) }; board = new Board(size, initialState ); } @When("on joue le premier tour") public void whenPlayARound() { board.update(); } @Then("aucune cellule n'est vivante") public void thenNoCellIsAlive() { Assert.assertEquals(0, board.liveCellsCount()); } }
fffb89da524a6de1c9fd8e87db6a6296fc4fea50
1fd0e3854829d5086dacb07a78d8709f4ad48a24
/src/tue/algorithms/implementation/general/ProblemType.java
5f6fe4f4c05264dafb84f61f375d115107723d5c
[]
no_license
kleopatra999/Algorithms
d93ce8d5fcb9edc2055680ef60e015092713b141
0822b4df704a0b1e13b3a66ef2d5cab8e10d6561
refs/heads/master
2021-01-21T08:12:21.172226
2014-07-06T10:35:30
2014-07-06T10:35:30
null
0
0
null
null
null
null
UTF-8
Java
false
false
276
java
package tue.algorithms.implementation.general; /** * Type of a given problem. * @author Martijn */ public enum ProblemType { /** * A single-curve problem. */ SINGLE, /** * A multiple-curve problem. */ MULTIPLE, /** * A network problem. */ NETWORK; }
cfe99ec74b83a693113997c748c1ca7f06005281
5946645cb24c5b07ba21735a3ac1e3a1f00acc5a
/streamflow-core/streamflow-server/src/main/java/streamflow/server/config/WebConfig.java
f283d201e6917f5715f9f769fb9c76a8e11af2b5
[ "LicenseRef-scancode-warranty-disclaimer", "Apache-2.0" ]
permissive
cccnam5158/streamflow
92bd040d060e879a50922568c217d1462715b1b6
b4681dd30bdc5e7b4fc276c9698427206a16f333
refs/heads/master
2021-01-15T19:22:28.568217
2015-06-10T01:01:03
2015-06-10T01:01:03
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,219
java
/** * Copyright 2014 Lockheed Martin 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 streamflow.server.config; import com.google.inject.Guice; import com.google.inject.Injector; import com.google.inject.servlet.GuiceServletContextListener; import javax.servlet.ServletContext; import javax.servlet.ServletContextEvent; import javax.servlet.annotation.WebListener; import streamflow.datastore.config.DatastoreModule; import streamflow.engine.config.EngineModule; import streamflow.service.config.ServiceModule; import streamflow.util.config.ConfigModule; import org.apache.shiro.guice.web.ShiroWebModule; import streamflow.util.environment.StreamflowEnvironment; @WebListener public class WebConfig extends GuiceServletContextListener { private ServletContext servletContext; @Override protected Injector getInjector() { // Initialize the Streamflow Environment using STREAMFLOW_HOME if available StreamflowEnvironment.setStreamflowHome(System.getenv("STREAMFLOW_HOME")); StreamflowEnvironment.initialize(); return Guice.createInjector(new ConfigModule(), new DatastoreModule(), new ServiceModule(), new EngineModule(), new JerseyModule(), new SecurityModule(servletContext), ShiroWebModule.guiceFilterModule()); } @Override public void contextInitialized(ServletContextEvent servletContextEvent) { this.servletContext = servletContextEvent.getServletContext(); super.contextInitialized(servletContextEvent); } @Override public void contextDestroyed(ServletContextEvent servletContextEvent) { super.contextDestroyed(servletContextEvent); } }
5b8bc72aaefc292bcf9023d1a18ef0450d8670f4
c44d48f05ad1e3ca66805de6b8eb50102e36d30a
/spring-boot-transaction-starter/src/main/java/com/lc/transaction/service/TransactionHandleRegisterImpl.java
906026f404b11a73703089a33c87a9f9a1b25f9f
[]
no_license
chenzhengmsg/spring-boot-transaction
fe6b65f62c5e94246e4814cfb5c9c4be08680f6e
5b0012c3fd267677cffbd03927bacc9788371bf7
refs/heads/master
2020-04-16T06:21:28.353003
2018-05-22T06:05:29
2018-05-22T06:05:29
null
0
0
null
null
null
null
UTF-8
Java
false
false
627
java
package com.lc.transaction.service; import java.util.Map; /** * @author liucheng * @create 2018-05-11 18:15 **/ public abstract class TransactionHandleRegisterImpl implements ConfigService { Map<String, Class> handleRegisterMap; public void init(Map<String, Class> handleRegisterMap) { this.handleRegisterMap = handleRegisterMap; } /** * 获得一个处理class * * @param key key * @return */ public Class getClass(String key) { if (handleRegisterMap.containsKey(key)) { return handleRegisterMap.get(key); } return null; } }
8d73e3445e30eda968d74388a853c741f0d7a692
c6f744e824f7908444d69e71fc017a51fa37597d
/Project_git/src/main/java/testGit.java
1f9123b5ff2c50efe922946f2f70c3991feaebe6
[]
no_license
jiwoon97/project_test_20210930
ebc3494b483a870179e69f668529e611332e44ec
20a31858d600b82d19323c133c9d09b18de8c0ba
refs/heads/main
2023-08-24T00:38:36.086752
2021-10-05T06:54:31
2021-10-05T06:54:31
411,925,654
0
0
null
null
null
null
UTF-8
Java
false
false
149
java
public class testGit { public static void main(String[] args) { // TODO Auto-generated method stub System.out.println("test"); } }
[ "soski@DESKTOP-2MTIE93" ]
soski@DESKTOP-2MTIE93
01bc591752d356f9b4a0aec812ea0e900774d53d
857919e9a27de95854e8ecb5bdb59a2791d84775
/Java-Threads-And-The-ConcurrencyUtilities/src/main/java/com/doctor/ch02/Sec01.java
1fdb353bd4377f886b77a5d9fc6e370d4f1abc54
[ "Apache-2.0", "LicenseRef-scancode-warranty-disclaimer" ]
permissive
freygit/book-reading
609f7335c81656c13b625b4c056c90af55830244
b8bf73d452b1358d9bdc7fdd873ba2891ee3432d
refs/heads/master
2020-03-31T11:53:42.148592
2016-04-16T12:37:24
2016-04-16T12:37:24
null
0
0
null
null
null
null
UTF-8
Java
false
false
4,801
java
package com.doctor.ch02; /** * @author sdcuike * * @time 2015年12月5日上午10:14:03 * * Developing multithreaded applications is much easier when threads don’t interact, * typically via shared variables. When interaction occurs, various problems can arise that * make an application thread-unsafe (incorrect in a multithreaded context). * * * To boost performance, the compiler, the Java virtual machine (JVM), and the operating * system can collaborate to cache a variable in a register or a processor-local cache, rather * than rely on main memory. Each thread has its own copy of the variable. When one * thread writes to this variable, it’s writing to its copy; other threads are unlikely to see the * update in their copies. * * You can use synchronization to solve the previous thread problems. Synchronization is a * JVM feature that ensures that two or more concurrent threads don’t simultaneously * execute a critical section, which is a code section that must be accessed in a serial (one * thread at a time) manner. * This property of synchronization is known as mutual exclusion because each thread * is mutually excluded from executing in a critical section when another thread is inside * the critical section. For this reason, the lock that the thread acquires is often referred to as * a mutex lock. * Synchronization also exhibits the property of visibility in which it ensures that a * thread executing in a critical section always sees the most recent changes to shared * variables. It reads these variables from main memory on entry to the critical section and * writes their values to main memory on exit. * Synchronization is implemented in terms of monitors, which are concurrency * constructs for controlling access to critical sections, which must execute indivisibly. Each * Java object is associated with a monitor, which a thread can lock or unlock by acquiring * and releasing the monitor’s lock (a token). * * Only one thread can hold a monitor’s lock. Any other thread trying to lock that * monitor blocks until it can obtain the lock. When a thread exits a critical section, it * unlocks the monitor by releasing the lock. * Locks are designed to be reentrant to prevent deadlock (discussed later). When a * thread attempts to acquire a lock that it’s already holding, the request succeeds. * * When synchronizing on an instance method, the lock is associated with the object * on which the method is called. * When synchronizing on a class method, the lock is associated with the java.lang. * Class object corresponding to the class whose class method is called. * * Neither the Java language nor the JVM provides a way to prevent deadlock, and * so the burden falls on you. the simplest way to prevent deadlock is to avoid having either a * synchronized method or a synchronized block call another synchronized method/block. * although this advice prevents deadlock from happening, it’s impractical because one of your * synchronized methods/blocks might need to call a synchronized method in a Java api, and * the advice is overkill because the synchronized method/block being called might not call any * other synchronized method/block, so deadlock would not occur. * * * You previously learned that synchronization exhibits two properties: mutual exclusion * and visibility. The synchronized keyword is associated with both properties. Java also * provides a weaker form of synchronization involving visibility only, and associates only * this property with the volatile keyword. * * Because stopped has been marked volatile, each thread will access the main * memory copy of this variable and not access a cached copy. The application will stop, * even on a multiprocessor-based or a multicore-based machine. * * * Use volatile only where visibility is an issue. also, you can only use this * reserved word in the context of field declarations (you’ll receive an error if you try to make a * local variable volatile). Finally, you can declare double and long fields volatile, but * should avoid doing so on 32-bit JVMs because it takes two operations to access a double or * long variable’s value, and mutual exclusion (via synchronized) is required to access their * values safely. */ public class Sec01 { /** * @param args */ public static void main(String[] args) { // TODO Auto-generated method stub } }
0ccb7a846e686b22f7b7733031d7dc59a0bf9f39
dbe863b4a34cb5aabedb3b605d8a32787901873e
/app/src/main/java/com/example/canor/android/fragment/settings/SettingsFragment.java
b592bd2ff8d831337272abe5f871648bfcb12878
[]
no_license
RomainCanovas/IHM-Android
2b824ae60b7ea8ec3f1ad8793737a8b71a7e3e95
36c5ada373d9f123acf4fe6111fac27624014d32
refs/heads/master
2021-01-25T07:40:35.804159
2017-06-09T09:42:22
2017-06-09T09:42:22
93,648,217
0
0
null
null
null
null
UTF-8
Java
false
false
4,162
java
package com.example.canor.android.fragment.settings; import android.app.Fragment; import android.os.Build; import android.os.Bundle; import android.support.annotation.RequiresApi; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.Button; import android.widget.CompoundButton; import android.widget.Switch; import com.example.canor.android.R; /** * Created by canor on 28/05/2017. */ public class SettingsFragment extends Fragment { Button music; Button books; Button dvp; Button events; Button children; Switch notif; static boolean isNotif; static String namePref; public SettingsFragment() { } @RequiresApi(api = Build.VERSION_CODES.M) @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { final android.app.FragmentManager manager = getActivity().getFragmentManager(); View rootView = inflater.inflate(R.layout.settings_main, container, false); music = (Button) rootView.findViewById(R.id.musicButton); music.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { namePref = "Musique"; manager.beginTransaction() .replace(R.id.content_frame , new SettingsCategoryFragment()) .addToBackStack("") .commit(); } }); books = (Button) rootView.findViewById(R.id.booksbutton); books.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { namePref = "Livres"; manager.beginTransaction() .replace(R.id.content_frame , new SettingsCategoryFragment()) .addToBackStack("") .commit(); } }); children = (Button) rootView.findViewById(R.id.childrenButton); children.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { namePref = "Enfants"; manager.beginTransaction() .replace(R.id.content_frame , new SettingsCategoryFragment()) .addToBackStack("") .commit(); } }); dvp = (Button) rootView.findViewById(R.id.dvpButton); dvp.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { namePref = "Stages"; manager.beginTransaction() .replace(R.id.content_frame , new SettingsCategoryFragment()) .addToBackStack("") .commit(); } }); events = (Button) rootView.findViewById(R.id.eventButton); events.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { namePref = "Evenements"; manager.beginTransaction() .replace(R.id.content_frame , new SettingsCategoryFragment()) .addToBackStack("") .commit(); } }); notif = (Switch) rootView.findViewById(R.id.notifSwitch); notif.setOnCheckedChangeListener(new CompoundButton.OnCheckedChangeListener() { @Override public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { if (isNotif) { isNotif = false; } else { isNotif = true; } } }); return rootView; } public static boolean getIsNotif() { return isNotif; } public static String getNamePref() { return namePref; } }
a004adf7cc4b28e385c09e8370356f223e131125
1b55f79aea894562600be89d3c4b5c3cc5eae934
/RecitativoBuilder/src/main/java/br/com/ccb/recitativo/controller/RecitativoBean.java
2541fbfde170f34693a9e5758bad13410545d4b0
[]
no_license
lucassmachado/teste
c7315bc07751dbfd12476d4d934afda4585f1c92
78fc2f02fbb132eb73b4423da5a06694a9d9ba4a
refs/heads/master
2020-04-30T23:33:19.416539
2014-03-27T02:41:13
2014-03-27T02:41:13
null
0
0
null
null
null
null
UTF-8
Java
false
false
636
java
package br.com.ccb.recitativo.controller; import java.util.List; import javax.annotation.PostConstruct; import javax.faces.bean.ManagedBean; import javax.faces.bean.SessionScoped; import br.com.ccb.recitativo.modelo.Livro; import br.com.ccb.recitativo.modelo.factory.BibliaFactory; @ManagedBean @SessionScoped public class RecitativoBean { private List<Livro> livros = null; @PostConstruct public void iniciar() { livros = BibliaFactory.getInstance().getLivros(); } public List<Livro> getLivros() { return livros; } public void setLivros(List<Livro> livros) { this.livros = livros; } }
661411963abbc62d412c1d385086226afa8a2d4b
912042091eaa52ee2d7d9c45b3b347d06e8ad5b5
/QoS/qoe/src/main/java/com/learning/controllers/HelloMessage.java
1555ace83eebc851ef9dec0ce554ff04ad720e68
[ "Apache-2.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
sushant3k/Tutorials
a4c4074a75fb5f746e0dab3b25e00d01ac4a9b89
d6f34fd225d86a7e65b75cac4162091a48019653
refs/heads/master
2020-04-15T20:46:00.427348
2016-05-24T10:43:24
2016-05-24T10:43:24
28,739,508
0
0
null
null
null
null
UTF-8
Java
false
false
225
java
package com.learning.controllers; public class HelloMessage { private String name; public String getName() { return name; } public void setName(String name) { this.name = name; } }
c765037bfbf903851ae59c128034401aa015ec87
340c3f61dae2558dc2aad16df12aa5b43142307d
/src/main/java/com/soft1841/sm/ImageApp.java
87f083ce5f7e20df7f075d4c2c0b28ca6c4b612b
[]
no_license
mdn81777/super-makert
e07125dee66d59a14c6f7b68d4c922d1e94db8bb
45dc57ad9e63b3ecfbb300874ba0e46e169cc85d
refs/heads/master
2020-04-12T10:36:56.878275
2019-01-01T14:16:53
2019-01-01T14:16:53
162,435,248
0
0
null
null
null
null
UTF-8
Java
false
false
713
java
package com.soft1841.sm; import javafx.application.Application; import javafx.fxml.FXMLLoader; import javafx.scene.Parent; import javafx.scene.Scene; import javafx.scene.image.Image; import javafx.stage.Stage; public class ImageApp extends Application { @Override public void start(Stage primaryStage) throws Exception { primaryStage.setTitle("商品加载例子"); FXMLLoader fxmlLoader = new FXMLLoader(getClass().getResource("/fxml/image.fxml")); Parent root = fxmlLoader.load(); Scene scene = new Scene(root, 800, 600); primaryStage.setScene(scene); primaryStage.show(); } public static void main(String[] args) { launch(args); } }
465d99bed97875b569f79b406853ec80d64b2cd6
ddd3cc2d611e602b086e2a0048e41907938dcb01
/src/main/java/tacocloud/TacoCloudApplication.java
df210d6d05c24e3ce736a07cd796dcceebf983a7
[]
no_license
LilithCoder/taco-cloud
867af549fd1d9a8a73791e381dfd56f5880ee208
bcef59b6e6c93dc987ad35dcf37dda6577927a3f
refs/heads/master
2023-05-11T05:37:19.616528
2021-03-28T14:24:35
2021-03-28T14:24:35
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,493
java
package tacocloud; import org.springframework.boot.CommandLineRunner; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.context.annotation.Bean; import tacocloud.data.IngredientRepository; import tacocloud.Ingredient.Type; @SpringBootApplication public class TacoCloudApplication { public static void main(String[] args) { SpringApplication.run(TacoCloudApplication.class, args); System.out.println("Hello world"); } /** * Interface used to indicate that a bean should run when it is contained within a SpringApplication. * */ @Bean public CommandLineRunner dataLoader(IngredientRepository repo) { return new CommandLineRunner() { @Override public void run(String... args) throws Exception { repo.save(new Ingredient("FLTO", "Flour Tortilla", Type.WRAP)); repo.save(new Ingredient("COTO", "Corn Tortilla", Type.WRAP)); repo.save(new Ingredient("GRBF", "Ground Beef", Type.PROTEIN)); repo.save(new Ingredient("CARN", "Carnitas", Type.PROTEIN)); repo.save(new Ingredient("TMTO", "Diced Tomatoes", Type.VEGGIES)); repo.save(new Ingredient("LETC", "Lettuce", Type.VEGGIES)); repo.save(new Ingredient("CHED", "Cheddar", Type.CHEESE)); repo.save(new Ingredient("JACK", "Monterrey Jack", Type.CHEESE)); repo.save(new Ingredient("SLSA", "Salsa", Type.SAUCE)); repo.save(new Ingredient("SRCR", "Sour Cream", Type.SAUCE)); } }; } }
6474cb26672587d59f7ded65882e8feb2eb577cb
7d0356696eb997ed19f670a26a86eb3bcfb69ae9
/KT3/app/src/main/java/com/newer/kt/myClass/MyCircleImageView.java
2b3075121ac820383fec2c5eca3d50130c5e9991
[ "Apache-2.0" ]
permissive
shenminjie/KT
1afcac4fed54aa437e3cab2360306115bf859329
c86bf997d9c4652d168cb1f97fa51389a2f63129
refs/heads/master
2021-01-23T00:54:26.542368
2017-03-22T15:08:26
2017-03-22T15:08:26
null
0
0
null
null
null
null
UTF-8
Java
false
false
6,339
java
package com.newer.kt.myClass; import android.content.Context; import android.graphics.Bitmap; import android.graphics.Bitmap.Config; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.PorterDuff.Mode; import android.graphics.PorterDuffXfermode; import android.graphics.Rect; import android.graphics.drawable.BitmapDrawable; import android.graphics.drawable.Drawable; import android.graphics.drawable.NinePatchDrawable; import android.util.AttributeSet; import android.widget.ImageView; public class MyCircleImageView extends ImageView { private int mBorderThickness = 0; private Context mContext; private int defaultColor = 0xFFFFFFFF; // 如果只有其中一个有值,则只画一个圆形边框 private int mBorderOutsideColor = 0; private int mBorderInsideColor = 0; // 控件默认长、宽 private int defaultWidth = 0; private int defaultHeight = 0; public MyCircleImageView(Context context) { super(context); mContext = context; } public MyCircleImageView(Context context, AttributeSet attrs) { super(context, attrs); mContext = context; } public MyCircleImageView(Context context, AttributeSet attrs, int defStyle) { super(context, attrs, defStyle); mContext = context; } @Override protected void onDraw(Canvas canvas) { Drawable drawable = getDrawable(); if (drawable == null) { return; } if (getWidth() == 0 || getHeight() == 0) { return; } this.measure(0, 0); if (drawable.getClass() == NinePatchDrawable.class) return; Bitmap b = ((BitmapDrawable) drawable).getBitmap(); Bitmap bitmap = b.copy(Config.ARGB_8888, true); if (defaultWidth == 0) { defaultWidth = getWidth(); } if (defaultHeight == 0) { defaultHeight = getHeight(); } int radius = 0; if (mBorderInsideColor != defaultColor && mBorderOutsideColor != defaultColor) {// 定义画两个边框,分别为外圆边框和内圆边框 radius = (defaultWidth < defaultHeight ? defaultWidth : defaultHeight) / 2 - 2 * mBorderThickness; // 画内圆 drawCircleBorder(canvas, radius + mBorderThickness / 2, mBorderInsideColor); // 画外圆 drawCircleBorder(canvas, radius + mBorderThickness + mBorderThickness / 2, mBorderOutsideColor); } else if (mBorderInsideColor != defaultColor && mBorderOutsideColor == defaultColor) {// 定义画一个边框 radius = (defaultWidth < defaultHeight ? defaultWidth : defaultHeight) / 2 - mBorderThickness; drawCircleBorder(canvas, radius + mBorderThickness / 2, mBorderInsideColor); } else if (mBorderInsideColor == defaultColor && mBorderOutsideColor != defaultColor) {// 定义画一个边框 radius = (defaultWidth < defaultHeight ? defaultWidth : defaultHeight) / 2 - mBorderThickness; drawCircleBorder(canvas, radius + mBorderThickness / 2, mBorderOutsideColor); } else {// 没有边框 radius = (defaultWidth < defaultHeight ? defaultWidth : defaultHeight) / 2; } Bitmap roundBitmap = getCroppedRoundBitmap(bitmap, radius); canvas.drawBitmap(roundBitmap, defaultWidth / 2 - radius, defaultHeight / 2 - radius, null); } public Bitmap getCroppedRoundBitmap(Bitmap bmp, int radius) { Bitmap scaledSrcBmp; int diameter = radius * 2; // 为了防止宽高不相等,造成圆形图片变形,因此截取长方形中处于中间位置最大的正方形图片 int bmpWidth = bmp.getWidth(); int bmpHeight = bmp.getHeight(); int squareWidth = 0, squareHeight = 0; int x = 0, y = 0; Bitmap squareBitmap; if (bmpHeight > bmpWidth) {// 高大于宽 squareWidth = squareHeight = bmpWidth; x = 0; y = (bmpHeight - bmpWidth) / 2; // 截取正方形图片 squareBitmap = Bitmap.createBitmap(bmp, x, y, squareWidth, squareHeight); } else if (bmpHeight < bmpWidth) {// 宽大于高 squareWidth = squareHeight = bmpHeight; x = (bmpWidth - bmpHeight) / 2; y = 0; squareBitmap = Bitmap.createBitmap(bmp, x, y, squareWidth, squareHeight); } else { squareBitmap = bmp; } if (squareBitmap.getWidth() != diameter || squareBitmap.getHeight() != diameter) { scaledSrcBmp = Bitmap.createScaledBitmap(squareBitmap, diameter, diameter, true); } else { scaledSrcBmp = squareBitmap; } Bitmap output = Bitmap.createBitmap(scaledSrcBmp.getWidth(), scaledSrcBmp.getHeight(), Config.ARGB_8888); Canvas canvas = new Canvas(output); Paint paint = new Paint(); Rect rect = new Rect(0, 0, scaledSrcBmp.getWidth(), scaledSrcBmp.getHeight()); paint.setAntiAlias(true); paint.setFilterBitmap(true); paint.setDither(true); canvas.drawARGB(0, 0, 0, 0); canvas.drawCircle(scaledSrcBmp.getWidth() / 2, scaledSrcBmp.getHeight() / 2, scaledSrcBmp.getWidth() / 2, paint); paint.setXfermode(new PorterDuffXfermode(Mode.SRC_IN)); canvas.drawBitmap(scaledSrcBmp, rect, rect, paint); bmp = null; squareBitmap = null; scaledSrcBmp = null; return output; } /** * 边缘画圆 */ private void drawCircleBorder(Canvas canvas, int radius, int color) { Paint paint = new Paint(); /* 去锯齿 */ paint.setAntiAlias(true); paint.setFilterBitmap(true); paint.setDither(true); paint.setColor(color); /* 设置paint的 style 为STROKE:空心 */ paint.setStyle(Paint.Style.STROKE); /* 设置paint的外框宽度 */ paint.setStrokeWidth(mBorderThickness); canvas.drawCircle(defaultWidth / 2, defaultHeight / 2, radius, paint); } }
c174aed0aab2421c88edbd294bcb4e35800d6c62
2363fab8c52db3e74e814cc9aa0c77c7305706da
/src/common/pageObjects/Pages/LoginDo.java
5731a62029585bc996f71873cdfecd37b9cb5f68
[]
no_license
LucasAstol/SeleniumLearningProject
decba8806196b7631ee60bff4364e80f36fa5172
0f30a813440e14dc4e989a533718fe475994a751
refs/heads/master
2020-04-07T14:12:30.981209
2018-12-31T13:54:25
2018-12-31T13:54:25
158,438,098
0
0
null
null
null
null
UTF-8
Java
false
false
305
java
package common.pageObjects.Pages; import org.openqa.selenium.By; import common.pageObjects.BasePage; import common.pageObjects.Elements.Label; public class LoginDo extends BasePage { public LoginDo() { super(); } public Label getErrorText() { return new Label(By.id("errorName")); } }
7dc3aab4466e74d2b493030550158f7a55607e40
fa2ee79a104ebe05b0ad786cc0bd67574854abb4
/Inventory/src/Product.java
c0f884e624e1244d19ca273c9945701837e3e7d8
[]
no_license
stevbarto/Inventory
4aa2d653421caa572a9320139d63b3cc5fe7c99c
e6f3c458ddaa3b7b9685d3e6320d592220fce4d6
refs/heads/main
2023-08-05T09:26:15.791816
2021-09-23T03:23:13
2021-09-23T03:23:13
394,269,663
0
0
null
null
null
null
UTF-8
Java
false
false
4,360
java
import javafx.collections.FXCollections; import javafx.collections.ObservableList; import java.io.IOException; /** * Product class which generates product objects for the inventory class. * @author Steven Barton */ public class Product { private ObservableList<Part> associatedParts; private int id; private String name; private double price; private int stock; private int min; private int max; /** * Default constructor for the product class. * @param id Integer value, Product ID for inventory. * @param name String value, Product name for inventory. * @param price Double value, price of the Product. * @param stock Integer value, how many in stock. * @param min Integer value, minimum to be in stock. * @param max Integer value, maximum to be in stock. */ public Product(int id, String name, double price, int stock, int min, int max) { associatedParts = FXCollections.observableArrayList(); this.id = id; this.name = name; this.price = price; this.stock = stock; this.min = min; this.max = max; } /** * Sets the id for the product object. * @param id Integer */ public void setId(int id) { this.id = id; } /** * Returns the id for the product object. * @return Integer ID */ public int getId() { return this.id; } /** * Sets the name value for the product object. * @param name String */ public void setName(String name) { this.name = name; } /** * Returns the name value for the product object. * @return String name */ public String getName() { return this.name; } /** * Sets the price value for the product object. * @param price Double */ public void setPrice(double price) { this.price = price; } /** * Returns the price value for the product object. * @return Double price */ public double getPrice() { return this.price; } /** * Sets the in stock value for the product object. * @param stock Integer */ public void setStock(int stock) { this.stock = stock; } /** * Returns the in stock value for the product object. * @return Integer stock */ public int getStock() { return this.stock; } /** * Sets the min value for the product object. * @param min Integer */ public void setMin(int min) { this.min = min; } /** * Returns the min value for the product object. * @return Integer min */ public int getMin() { return this.min; } /** * Sets the max value for the product object. * @param max Integer */ public void setMax(int max) { this.max = max; } /** * Returns the max value for the product object. * @return Integer max */ public int getMax() { return this.max; } /** * Adds the provided part to the list of associated parts for the product object. * @param part Part Object to be added. * @throws IOException when a null part additino is attempted. */ public void addAssociatedPart(Part part) throws Exception { if(part == null) { throw new IOException("Null part cannot be added to the Product!"); } associatedParts.add(part); } /** * Removes the provided part object from the associated part list for the product. * @param selectedAssociatedPart Part object representing the part to delete from the Product. * @return True if the delete is successful, false if the part was already non-existent. */ public boolean deleteAssociatedPart(Part selectedAssociatedPart) { return associatedParts.remove(selectedAssociatedPart); } /** * Returns the list of all associated parts for the product object. * @return ObservableList of all Part objects associated with this Product. */ public ObservableList<Part> getAllAssociatedParts() { return associatedParts; } }
4d00be64e90b1cb2fdd28c83ff51fff8ef4ad248
e18641694c5a74036b624aba0bc1a74853eec5db
/src/main/java/com/jboss/wsOnKaraf/HelloWorld.java
4dca0fef6b71fd1488b148e7d432c267acebf9a5
[]
no_license
blainemincey/wsOnKaraf
f2af78943e07eb276929bd7d146df7a0db7c5898
849a027540e2963b9e5f3d477161cbb9a50ca78a
refs/heads/master
2016-08-11T20:50:22.745430
2016-02-16T17:17:19
2016-02-16T17:17:19
51,853,514
0
0
null
null
null
null
UTF-8
Java
false
false
1,129
java
/* * JBoss, Home of Professional Open Source * Copyright 2014, Red Hat, Inc. and/or its affiliates, and individual * contributors by the @authors tag. See the copyright.txt in the * distribution for a full listing of individual 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. */ // START SNIPPET: service package com.jboss.wsOnKaraf; import javax.jws.WebService; /** * The HelloWorld interface defines a single method. * <p/> * We add the @WebService annotation to mark this interface as the definition for our web service. */ @WebService public interface HelloWorld { String sayHi(String name); }
f552a9fa7e34c2affd755314f81549f9461f6ef4
30045fb00c68306841ef742d583ec341b23c3121
/iwsc2017/decompile/tomcat/java/javax/mail/PasswordAuthentication.java
3055bfaea22fa9b9eaf412df5303a146ca6842b9
[]
no_license
cragkhit/crjk-iwsc17
df9132738e88d6fe47c1963f32faa5a100d41299
a2915433fd2173e215b8e13e8fa0779bd5ccfe99
refs/heads/master
2021-01-13T15:12:15.553582
2016-12-12T16:13:07
2016-12-12T16:13:07
76,252,648
0
1
null
null
null
null
UTF-8
Java
false
false
147
java
package javax.mail; public class PasswordAuthentication { public PasswordAuthentication ( final String user, final String password ) { } }
9f6ceda356f9dbb3955c8dcb1568e3de0df408d4
e8fbca7a6851b82c9ae3f805234c840e11f7c261
/modules/thirdparty/batik/sources/org/apache/flex/forks/batik/css/engine/value/svg/SVGValueConstants.java
0edaef2ebbc7dd569e00fc6f6eac3701b28d43dd
[ "Apache-2.0", "W3C", "LicenseRef-scancode-proprietary-license", "MPL-1.1", "MPL-1.0", "BSD-3-Clause" ]
permissive
teramura/flex-sdk
6772f7c729bb5fde5a080f5bed4df53280043024
c281c4f248f9adc8f10910be5e070149477d9216
refs/heads/develop
2023-05-13T21:26:18.785749
2023-04-28T15:10:59
2023-04-28T15:10:59
91,769,399
0
0
Apache-2.0
2018-06-27T10:44:03
2017-05-19T05:38:06
ActionScript
UTF-8
Java
false
false
68,830
java
/* 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.flex.forks.batik.css.engine.value.svg; import org.apache.flex.forks.batik.css.engine.value.FloatValue; import org.apache.flex.forks.batik.css.engine.value.RGBColorValue; import org.apache.flex.forks.batik.css.engine.value.StringValue; import org.apache.flex.forks.batik.css.engine.value.Value; import org.apache.flex.forks.batik.css.engine.value.ValueConstants; import org.apache.flex.forks.batik.util.CSSConstants; import org.w3c.dom.css.CSSPrimitiveValue; /** * This interface provides constants for SVG values. * * @author <a href="mailto:[email protected]">Stephane Hillion</a> * @version $Id: SVGValueConstants.java 475477 2006-11-15 22:44:28Z cam $ */ public interface SVGValueConstants extends ValueConstants { /** * 0 degree */ Value ZERO_DEGREE = new FloatValue(CSSPrimitiveValue.CSS_DEG, 0); /** * 1 */ Value NUMBER_1 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 1); /** * 4 */ Value NUMBER_4 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 4); /** * 11 */ Value NUMBER_11 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 11); /** * 19 */ Value NUMBER_19 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 19); /** * 20 */ Value NUMBER_20 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 20); /** * 21 */ Value NUMBER_21 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 21); /** * 25 */ Value NUMBER_25 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 25); /** * 30 */ Value NUMBER_30 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 30); /** * 32 */ Value NUMBER_32 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 32); /** * 34 */ Value NUMBER_34 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 34); /** * 35 */ Value NUMBER_35 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 35); /** * 42 */ Value NUMBER_42 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 42); /** * 43 */ Value NUMBER_43 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 43); /** * 45 */ Value NUMBER_45 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 45); /** * 46 */ Value NUMBER_46 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 46); /** * 47 */ Value NUMBER_47 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 47); /** * 50 */ Value NUMBER_50 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 50); /** * 60 */ Value NUMBER_60 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 60); /** * 61 */ Value NUMBER_61 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 61); /** * 63 */ Value NUMBER_63 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 63); /** * 64 */ Value NUMBER_64 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 64); /** * 65 */ Value NUMBER_65 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 65); /** * 69 */ Value NUMBER_69 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 69); /** * 70 */ Value NUMBER_70 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 70); /** * 71 */ Value NUMBER_71 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 71); /** * 72 */ Value NUMBER_72 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 72); /** * 75 */ Value NUMBER_75 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 75); /** * 79 */ Value NUMBER_79 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 79); /** * 80 */ Value NUMBER_80 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 80); /** * 82 */ Value NUMBER_82 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 82); /** * 85 */ Value NUMBER_85 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 85); /** * 87 */ Value NUMBER_87 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 87); /** * 90 */ Value NUMBER_90 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 90); /** * 91 */ Value NUMBER_91 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 91); /** * 92 */ Value NUMBER_92 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 92); /** * 95 */ Value NUMBER_95 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 95); /** * 96 */ Value NUMBER_96 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 96); /** * 99 */ Value NUMBER_99 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 99); /** * 102 */ Value NUMBER_102 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 102); /** * 104 */ Value NUMBER_104 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 104); /** * 105 */ Value NUMBER_105 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 105); /** * 106 */ Value NUMBER_106 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 106); /** * 107 */ Value NUMBER_107 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 107); /** * 112 */ Value NUMBER_112 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 112); /** * 113 */ Value NUMBER_113 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 113); /** * 114 */ Value NUMBER_114 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 114); /** * 119 */ Value NUMBER_119 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 119); /** * 122 */ Value NUMBER_122 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 122); /** * 123 */ Value NUMBER_123 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 123); /** * 124 */ Value NUMBER_124 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 124); /** * 127 */ Value NUMBER_127 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 127); /** * 130 */ Value NUMBER_130 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 130); /** * 133 */ Value NUMBER_133 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 133); /** * 134 */ Value NUMBER_134 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 134); /** * 135 */ Value NUMBER_135 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 135); /** * 136 */ Value NUMBER_136 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 136); /** * 138 */ Value NUMBER_138 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 138); /** * 139 */ Value NUMBER_139 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 139); /** * 140 */ Value NUMBER_140 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 140); /** * 142 */ Value NUMBER_142 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 142); /** * 143 */ Value NUMBER_143 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 143); /** * 144 */ Value NUMBER_144 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 144); /** * 147 */ Value NUMBER_147 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 147); /** * 148 */ Value NUMBER_148 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 148); /** * 149 */ Value NUMBER_149 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 149); /** * 150 */ Value NUMBER_150 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 150); /** * 152 */ Value NUMBER_152 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 152); /** * 153 */ Value NUMBER_153 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 153); /** * 154 */ Value NUMBER_154 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 154); /** * 158 */ Value NUMBER_158 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 158); /** * 160 */ Value NUMBER_160 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 160); /** * 164 */ Value NUMBER_164 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 164); /** * 165 */ Value NUMBER_165 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 165); /** * 169 */ Value NUMBER_169 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 169); /** * 170 */ Value NUMBER_170 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 170); /** * 173 */ Value NUMBER_173 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 173); /** * 175 */ Value NUMBER_175 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 175); /** * 176 */ Value NUMBER_176 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 176); /** * 178 */ Value NUMBER_178 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 178); /** * 179 */ Value NUMBER_179 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 179); /** * 180 */ Value NUMBER_180 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 180); /** * 181 */ Value NUMBER_181 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 181); /** * 182 */ Value NUMBER_182 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 182); /** * 183 */ Value NUMBER_183 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 183); /** * 184 */ Value NUMBER_184 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 184); /** * 185 */ Value NUMBER_185 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 185); /** * 186 */ Value NUMBER_186 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 186); /** * 188 */ Value NUMBER_188 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 188); /** * 189 */ Value NUMBER_189 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 189); /** * 191 */ Value NUMBER_191 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 191); /** * 193 */ Value NUMBER_193 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 193); /** * 196 */ Value NUMBER_196 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 196); /** * 199 */ Value NUMBER_199 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 199); /** * 203 */ Value NUMBER_203 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 203); /** * 204 */ Value NUMBER_204 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 204); /** * 205 */ Value NUMBER_205 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 205); /** * 206 */ Value NUMBER_206 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 206); /** * 208 */ Value NUMBER_208 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 208); /** * 209 */ Value NUMBER_209 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 209); /** * 210 */ Value NUMBER_210 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 210); /** * 211 */ Value NUMBER_211 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 211); /** * 212 */ Value NUMBER_212 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 212); /** * 213 */ Value NUMBER_213 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 213); /** * 214 */ Value NUMBER_214 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 214); /** * 215 */ Value NUMBER_215 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 215); /** * 216 */ Value NUMBER_216 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 216); /** * 218 */ Value NUMBER_218 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 218); /** * 219 */ Value NUMBER_219 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 219); /** * 220 */ Value NUMBER_220 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 220); /** * 221 */ Value NUMBER_221 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 221); /** * 222 */ Value NUMBER_222 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 222); /** * 224 */ Value NUMBER_224 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 224); /** * 225 */ Value NUMBER_225 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 225); /** * 226 */ Value NUMBER_226 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 226); /** * 228 */ Value NUMBER_228 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 228); /** * 230 */ Value NUMBER_230 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 230); /** * 232 */ Value NUMBER_232 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 232); /** * 233 */ Value NUMBER_233 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 233); /** * 235 */ Value NUMBER_235 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 235); /** * 237 */ Value NUMBER_237 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 237); /** * 238 */ Value NUMBER_238 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 238); /** * 239 */ Value NUMBER_239 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 239); /** * 240 */ Value NUMBER_240 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 240); /** * 244 */ Value NUMBER_244 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 244); /** * 245 */ Value NUMBER_245 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 245); /** * 248 */ Value NUMBER_248 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 248); /** * 250 */ Value NUMBER_250 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 250); /** * 251 */ Value NUMBER_251 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 251); /** * 252 */ Value NUMBER_252 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 252); /** * 253 */ Value NUMBER_253 = new FloatValue(CSSPrimitiveValue.CSS_NUMBER, 253); /** * The 'accumulate' keyword. */ Value ACCUMULATE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ACCUMULATE_VALUE); /** * The 'after-edge' keyword. */ Value AFTER_EDGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_AFTER_EDGE_VALUE); /** * The 'alphabetic' keyword. */ Value ALPHABETIC_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ALPHABETIC_VALUE); /** * The 'baseline' keyword. */ Value BASELINE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BASELINE_VALUE); /** * The 'before-edge' keyword. */ Value BEFORE_EDGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BEFORE_EDGE_VALUE); /** * The 'bevel' keyword. */ Value BEVEL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BEVEL_VALUE); /** * The 'butt' keyword. */ Value BUTT_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BUTT_VALUE); /** * The 'central' keyword. */ Value CENTRAL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CENTRAL_VALUE); /** * The 'currentcolor' keyword. */ Value CURRENTCOLOR_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CURRENTCOLOR_VALUE); /** * The 'end' keyword. */ Value END_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_END_VALUE); /** * The 'evenodd' keyword. */ Value EVENODD_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_EVENODD_VALUE); /** * The 'fill' keyword. */ Value FILL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_FILL_VALUE); /** * The 'fillstroke' keyword. */ Value FILLSTROKE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_FILLSTROKE_VALUE); /** * The 'geometricprecision' keyword. */ Value GEOMETRICPRECISION_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GEOMETRICPRECISION_VALUE); /** * The 'hanging' keyword. */ Value HANGING_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_HANGING_VALUE); /** * The 'ideographic' keyword. */ Value IDEOGRAPHIC_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_IDEOGRAPHIC_VALUE); /** * The 'linearRGB' keyword. */ Value LINEARRGB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LINEARRGB_VALUE); /** * The 'lr' keyword. */ Value LR_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LR_VALUE); /** * The 'lr-tb' keyword. */ Value LR_TB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LR_TB_VALUE); /** * The 'mathematical' keyword. */ Value MATHEMATICAL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MATHEMATICAL_VALUE); /** * The 'middle' keyword. */ Value MIDDLE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MIDDLE_VALUE); /** * The 'new' keyword. */ Value NEW_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_NEW_VALUE); /** * The 'miter' keyword. */ Value MITER_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MITER_VALUE); /** * The 'no-change' keyword. */ Value NO_CHANGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_NO_CHANGE_VALUE); /** * The 'nonzero' keyword. */ Value NONZERO_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_NONZERO_VALUE); /** * The 'optimizeLegibility' keyword. */ Value OPTIMIZELEGIBILITY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_OPTIMIZELEGIBILITY_VALUE); /** * The 'optimizeQuality' keyword. */ Value OPTIMIZEQUALITY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_OPTIMIZEQUALITY_VALUE); /** * The 'optimizeSpeed' keyword. */ Value OPTIMIZESPEED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_OPTIMIZESPEED_VALUE); /** * The 'reset-size' keyword. */ Value RESET_SIZE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_RESET_SIZE_VALUE); /** * The 'rl' keyword. */ Value RL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_RL_VALUE); /** * The 'rl-tb' keyword. */ Value RL_TB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_RL_TB_VALUE); /** * The 'round' keyword. */ Value ROUND_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ROUND_VALUE); /** * The 'square' keyword. */ Value SQUARE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SQUARE_VALUE); /** * The 'sRGB' keyword. */ Value SRGB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SRGB_VALUE); /** * The 'start' keyword. */ Value START_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_START_VALUE); /** * The 'sub' keyword. */ Value SUB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SUB_VALUE); /** * The 'super' keyword. */ Value SUPER_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SUPER_VALUE); /** * The 'tb' keyword. */ Value TB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TB_VALUE); /** * The 'tb-rl' keyword. */ Value TB_RL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TB_RL_VALUE); /** * The 'text-after-edge' keyword. */ Value TEXT_AFTER_EDGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TEXT_AFTER_EDGE_VALUE); /** * The 'text-before-edge' keyword. */ Value TEXT_BEFORE_EDGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TEXT_BEFORE_EDGE_VALUE); /** * The 'text-bottom' keyword. */ Value TEXT_BOTTOM_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TEXT_BOTTOM_VALUE); /** * The 'text-top' keyword. */ Value TEXT_TOP_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TEXT_TOP_VALUE); /** * The 'use-script' keyword. */ Value USE_SCRIPT_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_USE_SCRIPT_VALUE); /** * The 'visiblefill' keyword. */ Value VISIBLEFILL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_VISIBLEFILL_VALUE); /** * The 'visiblefillstroke' keyword. */ Value VISIBLEFILLSTROKE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_VISIBLEFILLSTROKE_VALUE); /** * The 'visiblepainted' keyword. */ Value VISIBLEPAINTED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_VISIBLEPAINTED_VALUE); /** * The 'visiblestroke' keyword. */ Value VISIBLESTROKE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_VISIBLESTROKE_VALUE); /** * The 'aliceblue' color name. */ Value ALICEBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ALICEBLUE_VALUE); /** * The 'antiquewhite' color name. */ Value ANTIQUEWHITE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ANTIQUEWHITE_VALUE); /** * The 'aquamarine' color name. */ Value AQUAMARINE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_AQUAMARINE_VALUE); /** * The 'azure' color name. */ Value AZURE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_AZURE_VALUE); /** * The 'beige' color name. */ Value BEIGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BEIGE_VALUE); /** * The 'bisque' color name. */ Value BISQUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BISQUE_VALUE); /** * The 'blanchedalmond' color name. */ Value BLANCHEDALMOND_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BLANCHEDALMOND_VALUE); /** * The 'blueviolet' color name. */ Value BLUEVIOLET_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BLUEVIOLET_VALUE); /** * The 'brown' color name. */ Value BROWN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BROWN_VALUE); /** * The 'burlywood' color name. */ Value BURLYWOOD_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_BURLYWOOD_VALUE); /** * The 'cadetblue' color name. */ Value CADETBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CADETBLUE_VALUE); /** * The 'chartreuse' color name. */ Value CHARTREUSE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CHARTREUSE_VALUE); /** * The 'chocolate' color name. */ Value CHOCOLATE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CHOCOLATE_VALUE); /** * The 'coral' color name. */ Value CORAL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CORAL_VALUE); /** * The 'cornflowerblue' color name. */ Value CORNFLOWERBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CORNFLOWERBLUE_VALUE); /** * The 'cornsilk' color name. */ Value CORNSILK_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CORNSILK_VALUE); /** * The 'crimson' color name. */ Value CRIMSON_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CRIMSON_VALUE); /** * The 'cyan' color name. */ Value CYAN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_CYAN_VALUE); /** * The 'darkblue' color name. */ Value DARKBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKBLUE_VALUE); /** * The 'darkcyan' color name. */ Value DARKCYAN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKCYAN_VALUE); /** * The 'darkgoldenrod' color name. */ Value DARKGOLDENROD_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKGOLDENROD_VALUE); /** * The 'darkgray' color name. */ Value DARKGRAY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKGRAY_VALUE); /** * The 'darkgreen' color name. */ Value DARKGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKGREEN_VALUE); /** * The 'darkgrey' color name. */ Value DARKGREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKGREY_VALUE); /** * The 'darkkhaki' color name. */ Value DARKKHAKI_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKKHAKI_VALUE); /** * The 'darkmagenta' color name. */ Value DARKMAGENTA_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKMAGENTA_VALUE); /** * The 'darkolivegreen' color name. */ Value DARKOLIVEGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKOLIVEGREEN_VALUE); /** * The 'darkorange' color name. */ Value DARKORANGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKORANGE_VALUE); /** * The 'darkorchid' color name. */ Value DARKORCHID_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKORCHID_VALUE); /** * The 'darkred' color name. */ Value DARKRED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKRED_VALUE); /** * The 'darksalmon' color name. */ Value DARKSALMON_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKSALMON_VALUE); /** * The 'darkseagreen' color name. */ Value DARKSEAGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKSEAGREEN_VALUE); /** * The 'darkslateblue' color name. */ Value DARKSLATEBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKSLATEBLUE_VALUE); /** * The 'darkslategray' color name. */ Value DARKSLATEGRAY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKSLATEGRAY_VALUE); /** * The 'darkslategrey' color name. */ Value DARKSLATEGREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKSLATEGREY_VALUE); /** * The 'darkturquoise' color name. */ Value DARKTURQUOISE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKTURQUOISE_VALUE); /** * The 'darkviolet' color name. */ Value DARKVIOLET_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DARKVIOLET_VALUE); /** * The 'deeppink' color name. */ Value DEEPPINK_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DEEPPINK_VALUE); /** * The 'deepskyblue' color name. */ Value DEEPSKYBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DEEPSKYBLUE_VALUE); /** * The 'dimgray' color name. */ Value DIMGRAY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DIMGRAY_VALUE); /** * The 'dimgrey' color name. */ Value DIMGREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DIMGREY_VALUE); /** * The 'dodgerblue' color name. */ Value DODGERBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_DODGERBLUE_VALUE); /** * The 'firebrick' color name. */ Value FIREBRICK_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_FIREBRICK_VALUE); /** * The 'floralwhite' color name. */ Value FLORALWHITE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_FLORALWHITE_VALUE); /** * The 'forestgreen' color name. */ Value FORESTGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_FORESTGREEN_VALUE); /** * The 'gainsboro' color name. */ Value GAINSBORO_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GAINSBORO_VALUE); /** * The 'ghostwhite' color name. */ Value GHOSTWHITE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GHOSTWHITE_VALUE); /** * The 'gold' color name. */ Value GOLD_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GOLD_VALUE); /** * The 'goldenrod' color name. */ Value GOLDENROD_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GOLDENROD_VALUE); /** * The 'greenyellow' color name. */ Value GREENYELLOW_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GREENYELLOW_VALUE); /** * The 'grey' color name. */ Value GREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_GREY_VALUE); /** * The 'honeydew' color name. */ Value HONEYDEW_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_HONEYDEW_VALUE); /** * The 'hotpink' color name. */ Value HOTPINK_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_HOTPINK_VALUE); /** * The 'indianred' color name. */ Value INDIANRED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_INDIANRED_VALUE); /** * The 'indigo' color name. */ Value INDIGO_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_INDIGO_VALUE); /** * The 'ivory' color name. */ Value IVORY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_IVORY_VALUE); /** * The 'khaki' color name. */ Value KHAKI_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_KHAKI_VALUE); /** * The 'lavender' color name. */ Value LAVENDER_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LAVENDER_VALUE); /** * The 'lavenderblush' color name. */ Value LAVENDERBLUSH_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LAVENDERBLUSH_VALUE); /** * The 'lawngreen' color name. */ Value LAWNGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LAWNGREEN_VALUE); /** * The 'lemonchiffon' color name. */ Value LEMONCHIFFON_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LEMONCHIFFON_VALUE); /** * The 'lightblue' color name. */ Value LIGHTBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTBLUE_VALUE); /** * The 'lightcoral' color name. */ Value LIGHTCORAL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTCORAL_VALUE); /** * The 'lightcyan' color name. */ Value LIGHTCYAN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTCYAN_VALUE); /** * The 'lightgoldenrodyellow' color name. */ Value LIGHTGOLDENRODYELLOW_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTGOLDENRODYELLOW_VALUE); /** * The 'lightgray' color name. */ Value LIGHTGRAY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTGRAY_VALUE); /** * The 'lightgreen' color name. */ Value LIGHTGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTGREEN_VALUE); /** * The 'lightgrey' color name. */ Value LIGHTGREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTGREY_VALUE); /** * The 'lightpink' color name. */ Value LIGHTPINK_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTPINK_VALUE); /** * The 'lightsalmon' color name. */ Value LIGHTSALMON_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTSALMON_VALUE); /** * The 'lightseagreen' color name. */ Value LIGHTSEAGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTSEAGREEN_VALUE); /** * The 'lightskyblue' color name. */ Value LIGHTSKYBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTSKYBLUE_VALUE); /** * The 'lightslategray' color name. */ Value LIGHTSLATEGRAY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTSLATEGRAY_VALUE); /** * The 'lightslategrey' color name. */ Value LIGHTSLATEGREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTSLATEGREY_VALUE); /** * The 'lightsteelblue' color name. */ Value LIGHTSTEELBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTSTEELBLUE_VALUE); /** * The 'lightyellow' color name. */ Value LIGHTYELLOW_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIGHTYELLOW_VALUE); /** * The 'limegreen' color name. */ Value LIMEGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LIMEGREEN_VALUE); /** * The 'linen' color name. */ Value LINEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_LINEN_VALUE); /** * The 'magenta' color name. */ Value MAGENTA_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MAGENTA_VALUE); /** * The 'mediumaquamarine' color name. */ Value MEDIUMAQUAMARINE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMAQUAMARINE_VALUE); /** * The 'mediumblue' color name. */ Value MEDIUMBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMBLUE_VALUE); /** * The 'mediumorchid' color name. */ Value MEDIUMORCHID_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMORCHID_VALUE); /** * The 'mediumpurple' color name. */ Value MEDIUMPURPLE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMPURPLE_VALUE); /** * The 'mediumseagreen' color name. */ Value MEDIUMSEAGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMSEAGREEN_VALUE); /** * The 'mediumslateblue' color name. */ Value MEDIUMSLATEBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMSLATEBLUE_VALUE); /** * The 'mediumspringgreen' color name. */ Value MEDIUMSPRINGGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMSPRINGGREEN_VALUE); /** * The 'mediumturquoise' color name. */ Value MEDIUMTURQUOISE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMTURQUOISE_VALUE); /** * The 'mediumvioletred' color name. */ Value MEDIUMVIOLETRED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MEDIUMVIOLETRED_VALUE); /** * The 'midnightblue' color name. */ Value MIDNIGHTBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MIDNIGHTBLUE_VALUE); /** * The 'mintcream' color name. */ Value MINTCREAM_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MINTCREAM_VALUE); /** * The 'mistyrose' color name. */ Value MISTYROSE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MISTYROSE_VALUE); /** * The 'moccasin' color name. */ Value MOCCASIN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_MOCCASIN_VALUE); /** * The 'navajowhite' color name. */ Value NAVAJOWHITE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_NAVAJOWHITE_VALUE); /** * The 'oldlace' color name. */ Value OLDLACE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_OLDLACE_VALUE); /** * The 'olivedrab' color name. */ Value OLIVEDRAB_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_OLIVEDRAB_VALUE); /** * The 'orange' color name. */ Value ORANGE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ORANGE_VALUE); /** * The 'orangered' color name. */ Value ORANGERED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ORANGERED_VALUE); /** * The 'orchid' color name. */ Value ORCHID_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ORCHID_VALUE); /** * The 'palegoldenrod' color name. */ Value PALEGOLDENROD_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PALEGOLDENROD_VALUE); /** * The 'palegreen' color name. */ Value PALEGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PALEGREEN_VALUE); /** * The 'paleturquoise' color name. */ Value PALETURQUOISE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PALETURQUOISE_VALUE); /** * The 'palevioletred' color name. */ Value PALEVIOLETRED_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PALEVIOLETRED_VALUE); /** * The 'papayawhip' color name. */ Value PAPAYAWHIP_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PAPAYAWHIP_VALUE); /** * The 'peachpuff' color name. */ Value PEACHPUFF_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PEACHPUFF_VALUE); /** * The 'peru' color name. */ Value PERU_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PERU_VALUE); /** * The 'pink' color name. */ Value PINK_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PINK_VALUE); /** * The 'plum' color name. */ Value PLUM_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PLUM_VALUE); /** * The 'powderblue' color name. */ Value POWDERBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_POWDERBLUE_VALUE); /** * The 'purple' color name. */ Value PURPLE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_PURPLE_VALUE); /** * The 'rosybrown' color name. */ Value ROSYBROWN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ROSYBROWN_VALUE); /** * The 'royalblue' color name. */ Value ROYALBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_ROYALBLUE_VALUE); /** * The 'saddlebrown' color name. */ Value SADDLEBROWN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SADDLEBROWN_VALUE); /** * The 'salmon' color name. */ Value SALMON_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SALMON_VALUE); /** * The 'sandybrown' color name. */ Value SANDYBROWN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SANDYBROWN_VALUE); /** * The 'seagreen' color name. */ Value SEAGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SEAGREEN_VALUE); /** * The 'seashell' color name. */ Value SEASHELL_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SEASHELL_VALUE); /** * The 'sienna' color name. */ Value SIENNA_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SIENNA_VALUE); /** * The 'skyblue' color name. */ Value SKYBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SKYBLUE_VALUE); /** * The 'slateblue' color name. */ Value SLATEBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SLATEBLUE_VALUE); /** * The 'slategray' color name. */ Value SLATEGRAY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SLATEGRAY_VALUE); /** * The 'slategrey' color name. */ Value SLATEGREY_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SLATEGREY_VALUE); /** * The 'snow' color name. */ Value SNOW_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SNOW_VALUE); /** * The 'springgreen' color name. */ Value SPRINGGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_SPRINGGREEN_VALUE); /** * The 'steelblue' color name. */ Value STEELBLUE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_STEELBLUE_VALUE); /** * The 'tan' color name. */ Value TAN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TAN_VALUE); /** * The 'thistle' color name. */ Value THISTLE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_THISTLE_VALUE); /** * The 'tomato' color name. */ Value TOMATO_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TOMATO_VALUE); /** * The 'turquoise' color name. */ Value TURQUOISE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_TURQUOISE_VALUE); /** * The 'violet' color name. */ Value VIOLET_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_VIOLET_VALUE); /** * The 'wheat' color name. */ Value WHEAT_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_WHEAT_VALUE); /** * The 'whitesmoke' color name. */ Value WHITESMOKE_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_WHITESMOKE_VALUE); /** * The 'yellowgreen' color name. */ Value YELLOWGREEN_VALUE = new StringValue(CSSPrimitiveValue.CSS_IDENT, CSSConstants.CSS_YELLOWGREEN_VALUE); /** * The 'aliceblue' RGB color. */ Value ALICEBLUE_RGB_VALUE = new RGBColorValue(NUMBER_240, NUMBER_248, NUMBER_255); /** * The 'antiquewhite' RGB color. */ Value ANTIQUEWHITE_RGB_VALUE = new RGBColorValue(NUMBER_250, NUMBER_235, NUMBER_215); /** * The 'aquamarine' RGB color. */ Value AQUAMARINE_RGB_VALUE = new RGBColorValue(NUMBER_127, NUMBER_255, NUMBER_212); /** * The 'azure' RGB color. */ Value AZURE_RGB_VALUE = new RGBColorValue(NUMBER_240, NUMBER_255, NUMBER_255); /** * The 'beige' RGB color. */ Value BEIGE_RGB_VALUE = new RGBColorValue(NUMBER_245, NUMBER_245, NUMBER_220); /** * The 'bisque' RGB color. */ Value BISQUE_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_228, NUMBER_196); /** * The 'blanchedalmond' RGB color. */ Value BLANCHEDALMOND_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_235, NUMBER_205); /** * The 'blueviolet' RGB color. */ Value BLUEVIOLET_RGB_VALUE = new RGBColorValue(NUMBER_138, NUMBER_43, NUMBER_226); /** * The 'brown' RGB color. */ Value BROWN_RGB_VALUE = new RGBColorValue(NUMBER_165, NUMBER_42, NUMBER_42); /** * The 'burlywood' RGB color. */ Value BURLYWOOD_RGB_VALUE = new RGBColorValue(NUMBER_222, NUMBER_184, NUMBER_135); /** * The 'cadetblue' RGB color. */ Value CADETBLUE_RGB_VALUE = new RGBColorValue(NUMBER_95, NUMBER_158, NUMBER_160); /** * The 'chartreuse' RGB color. */ Value CHARTREUSE_RGB_VALUE = new RGBColorValue(NUMBER_127, NUMBER_255, NUMBER_0); /** * The 'chocolate' RGB color. */ Value CHOCOLATE_RGB_VALUE = new RGBColorValue(NUMBER_210, NUMBER_105, NUMBER_30); /** * The 'coral' RGB color. */ Value CORAL_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_127, NUMBER_80); /** * The 'cornflowerblue' RGB color. */ Value CORNFLOWERBLUE_RGB_VALUE = new RGBColorValue(NUMBER_100, NUMBER_149, NUMBER_237); /** * The 'cornsilk' RGB color. */ Value CORNSILK_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_248, NUMBER_220); /** * The 'crimson' RGB color. */ Value CRIMSON_RGB_VALUE = new RGBColorValue(NUMBER_220, NUMBER_20, NUMBER_60); /** * The 'cyan' RGB color. */ Value CYAN_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_255, NUMBER_255); /** * The 'darkblue' RGB color. */ Value DARKBLUE_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_0, NUMBER_139); /** * The 'darkcyan' RGB color. */ Value DARKCYAN_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_139, NUMBER_139); /** * The 'darkgoldenrod' RGB color. */ Value DARKGOLDENROD_RGB_VALUE = new RGBColorValue(NUMBER_184, NUMBER_134, NUMBER_11); /** * The 'darkgray' RGB color. */ Value DARKGRAY_RGB_VALUE = new RGBColorValue(NUMBER_169, NUMBER_169, NUMBER_169); /** * The 'darkgreen' RGB color. */ Value DARKGREEN_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_100, NUMBER_0); /** * The 'darkgrey' RGB color. */ Value DARKGREY_RGB_VALUE = new RGBColorValue(NUMBER_169, NUMBER_169, NUMBER_169); /** * The 'darkkhaki' RGB color. */ Value DARKKHAKI_RGB_VALUE = new RGBColorValue(NUMBER_189, NUMBER_183, NUMBER_107); /** * The 'darkmagenta' RGB color. */ Value DARKMAGENTA_RGB_VALUE = new RGBColorValue(NUMBER_139, NUMBER_0, NUMBER_139); /** * The 'darkolivegreen' RGB color. */ Value DARKOLIVEGREEN_RGB_VALUE = new RGBColorValue(NUMBER_85, NUMBER_107, NUMBER_47); /** * The 'darkorange' RGB color. */ Value DARKORANGE_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_140, NUMBER_0); /** * The 'darkorchid' RGB color. */ Value DARKORCHID_RGB_VALUE = new RGBColorValue(NUMBER_153, NUMBER_50, NUMBER_204); /** * The 'darkred' RGB color. */ Value DARKRED_RGB_VALUE = new RGBColorValue(NUMBER_139, NUMBER_0, NUMBER_0); /** * The 'darksalmon' RGB color. */ Value DARKSALMON_RGB_VALUE = new RGBColorValue(NUMBER_233, NUMBER_150, NUMBER_122); /** * The 'darkseagreen' RGB color. */ Value DARKSEAGREEN_RGB_VALUE = new RGBColorValue(NUMBER_143, NUMBER_188, NUMBER_143); /** * The 'darkslateblue' RGB color. */ Value DARKSLATEBLUE_RGB_VALUE = new RGBColorValue(NUMBER_72, NUMBER_61, NUMBER_139); /** * The 'darkslategray' RGB color. */ Value DARKSLATEGRAY_RGB_VALUE = new RGBColorValue(NUMBER_47, NUMBER_79, NUMBER_79); /** * The 'darkslategrey' RGB color. */ Value DARKSLATEGREY_RGB_VALUE = new RGBColorValue(NUMBER_47, NUMBER_79, NUMBER_79); /** * The 'darkturquoise' RGB color. */ Value DARKTURQUOISE_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_206, NUMBER_209); /** * The 'darkviolet' RGB color. */ Value DARKVIOLET_RGB_VALUE = new RGBColorValue(NUMBER_148, NUMBER_0, NUMBER_211); /** * The 'deeppink' RGB color. */ Value DEEPPINK_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_20, NUMBER_147); /** * The 'deepskyblue' RGB color. */ Value DEEPSKYBLUE_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_191, NUMBER_255); /** * The 'dimgray' RGB color. */ Value DIMGRAY_RGB_VALUE = new RGBColorValue(NUMBER_105, NUMBER_105, NUMBER_105); /** * The 'dimgrey' RGB color. */ Value DIMGREY_RGB_VALUE = new RGBColorValue(NUMBER_105, NUMBER_105, NUMBER_105); /** * The 'dodgerblue' RGB color. */ Value DODGERBLUE_RGB_VALUE = new RGBColorValue(NUMBER_30, NUMBER_144, NUMBER_255); /** * The 'firebrick' RGB color. */ Value FIREBRICK_RGB_VALUE = new RGBColorValue(NUMBER_178, NUMBER_34, NUMBER_34); /** * The 'floralwhite' RGB color. */ Value FLORALWHITE_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_250, NUMBER_240); /** * The 'forestgreen' RGB color. */ Value FORESTGREEN_RGB_VALUE = new RGBColorValue(NUMBER_34, NUMBER_139, NUMBER_34); /** * The 'gainsboro' RGB color. */ Value GAINSBORO_RGB_VALUE = new RGBColorValue(NUMBER_220, NUMBER_200, NUMBER_200); /** * The 'ghostwhite' RGB color. */ Value GHOSTWHITE_RGB_VALUE = new RGBColorValue(NUMBER_248, NUMBER_248, NUMBER_255); /** * The 'gold' RGB color. */ Value GOLD_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_215, NUMBER_0); /** * The 'goldenrod' RGB color. */ Value GOLDENROD_RGB_VALUE = new RGBColorValue(NUMBER_218, NUMBER_165, NUMBER_32); /** * The 'grey' RGB color. */ Value GREY_RGB_VALUE = new RGBColorValue(NUMBER_128, NUMBER_128, NUMBER_128); /** * The 'greenyellow' RGB color. */ Value GREENYELLOW_RGB_VALUE = new RGBColorValue(NUMBER_173, NUMBER_255, NUMBER_47); /** * The 'honeydew' RGB color. */ Value HONEYDEW_RGB_VALUE = new RGBColorValue(NUMBER_240, NUMBER_255, NUMBER_240); /** * The 'hotpink' RGB color. */ Value HOTPINK_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_105, NUMBER_180); /** * The 'indianred' RGB color. */ Value INDIANRED_RGB_VALUE = new RGBColorValue(NUMBER_205, NUMBER_92, NUMBER_92); /** * The 'indigo' RGB color. */ Value INDIGO_RGB_VALUE = new RGBColorValue(NUMBER_75, NUMBER_0, NUMBER_130); /** * The 'ivory' RGB color. */ Value IVORY_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_255, NUMBER_240); /** * The 'khaki' RGB color. */ Value KHAKI_RGB_VALUE = new RGBColorValue(NUMBER_240, NUMBER_230, NUMBER_140); /** * The 'lavender' RGB color. */ Value LAVENDER_RGB_VALUE = new RGBColorValue(NUMBER_230, NUMBER_230, NUMBER_250); /** * The 'lavenderblush' RGB color. */ Value LAVENDERBLUSH_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_240, NUMBER_255); /** * The 'lawngreen' RGB color. */ Value LAWNGREEN_RGB_VALUE = new RGBColorValue(NUMBER_124, NUMBER_252, NUMBER_0); /** * The 'lemonchiffon' RGB color. */ Value LEMONCHIFFON_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_250, NUMBER_205); /** * The 'lightblue' RGB color. */ Value LIGHTBLUE_RGB_VALUE = new RGBColorValue(NUMBER_173, NUMBER_216, NUMBER_230); /** * The 'lightcoral' RGB color. */ Value LIGHTCORAL_RGB_VALUE = new RGBColorValue(NUMBER_240, NUMBER_128, NUMBER_128); /** * The 'lightcyan' RGB color. */ Value LIGHTCYAN_RGB_VALUE = new RGBColorValue(NUMBER_224, NUMBER_255, NUMBER_255); /** * The 'lightgoldenrodyellow' RGB color. */ Value LIGHTGOLDENRODYELLOW_RGB_VALUE = new RGBColorValue(NUMBER_250, NUMBER_250, NUMBER_210); /** * The 'lightgray' RGB color. */ Value LIGHTGRAY_RGB_VALUE = new RGBColorValue(NUMBER_211, NUMBER_211, NUMBER_211); /** * The 'lightgreen' RGB color. */ Value LIGHTGREEN_RGB_VALUE = new RGBColorValue(NUMBER_144, NUMBER_238, NUMBER_144); /** * The 'lightgrey' RGB color. */ Value LIGHTGREY_RGB_VALUE = new RGBColorValue(NUMBER_211, NUMBER_211, NUMBER_211); /** * The 'lightpink' RGB color. */ Value LIGHTPINK_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_182, NUMBER_193); /** * The 'lightsalmon' RGB color. */ Value LIGHTSALMON_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_160, NUMBER_122); /** * The 'lightseagreen' RGB color. */ Value LIGHTSEAGREEN_RGB_VALUE = new RGBColorValue(NUMBER_32, NUMBER_178, NUMBER_170); /** * The 'lightskyblue' RGB color. */ Value LIGHTSKYBLUE_RGB_VALUE = new RGBColorValue(NUMBER_135, NUMBER_206, NUMBER_250); /** * The 'lightslategray' RGB color. */ Value LIGHTSLATEGRAY_RGB_VALUE = new RGBColorValue(NUMBER_119, NUMBER_136, NUMBER_153); /** * The 'lightslategrey' RGB color. */ Value LIGHTSLATEGREY_RGB_VALUE = new RGBColorValue(NUMBER_119, NUMBER_136, NUMBER_153); /** * The 'lightsteelblue' RGB color. */ Value LIGHTSTEELBLUE_RGB_VALUE = new RGBColorValue(NUMBER_176, NUMBER_196, NUMBER_222); /** * The 'lightyellow' RGB color. */ Value LIGHTYELLOW_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_255, NUMBER_224); /** * The 'limegreen' RGB color. */ Value LIMEGREEN_RGB_VALUE = new RGBColorValue(NUMBER_50, NUMBER_205, NUMBER_50); /** * The 'linen' RGB color. */ Value LINEN_RGB_VALUE = new RGBColorValue(NUMBER_250, NUMBER_240, NUMBER_230); /** * The 'magenta' RGB color. */ Value MAGENTA_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_0, NUMBER_255); /** * The 'mediumaquamarine' RGB color. */ Value MEDIUMAQUAMARINE_RGB_VALUE = new RGBColorValue(NUMBER_102, NUMBER_205, NUMBER_170); /** * The 'mediumblue' RGB color. */ Value MEDIUMBLUE_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_0, NUMBER_205); /** * The 'mediumorchid' RGB color. */ Value MEDIUMORCHID_RGB_VALUE = new RGBColorValue(NUMBER_186, NUMBER_85, NUMBER_211); /** * The 'mediumpurple' RGB color. */ Value MEDIUMPURPLE_RGB_VALUE = new RGBColorValue(NUMBER_147, NUMBER_112, NUMBER_219); /** * The 'mediumseagreen' RGB color. */ Value MEDIUMSEAGREEN_RGB_VALUE = new RGBColorValue(NUMBER_60, NUMBER_179, NUMBER_113); /** * The 'mediumslateblue' RGB color. */ Value MEDIUMSLATEBLUE_RGB_VALUE = new RGBColorValue(NUMBER_123, NUMBER_104, NUMBER_238); /** * The 'mediumspringgreen' RGB color. */ Value MEDIUMSPRINGGREEN_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_250, NUMBER_154); /** * The 'mediumturquoise' RGB color. */ Value MEDIUMTURQUOISE_RGB_VALUE = new RGBColorValue(NUMBER_72, NUMBER_209, NUMBER_204); /** * The 'mediumvioletred' RGB color. */ Value MEDIUMVIOLETRED_RGB_VALUE = new RGBColorValue(NUMBER_199, NUMBER_21, NUMBER_133); /** * The 'midnightblue' RGB color. */ Value MIDNIGHTBLUE_RGB_VALUE = new RGBColorValue(NUMBER_25, NUMBER_25, NUMBER_112); /** * The 'mintcream' RGB color. */ Value MINTCREAM_RGB_VALUE = new RGBColorValue(NUMBER_245, NUMBER_255, NUMBER_250); /** * The 'mistyrose' RGB color. */ Value MISTYROSE_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_228, NUMBER_225); /** * The 'moccasin' RGB color. */ Value MOCCASIN_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_228, NUMBER_181); /** * The 'navajowhite' RGB color. */ Value NAVAJOWHITE_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_222, NUMBER_173); /** * The 'oldlace' RGB color. */ Value OLDLACE_RGB_VALUE = new RGBColorValue(NUMBER_253, NUMBER_245, NUMBER_230); /** * The 'olivedrab' RGB color. */ Value OLIVEDRAB_RGB_VALUE = new RGBColorValue(NUMBER_107, NUMBER_142, NUMBER_35); /** * The 'orange' RGB color. */ Value ORANGE_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_165, NUMBER_0); /** * The 'orangered' RGB color. */ Value ORANGERED_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_69, NUMBER_0); /** * The 'orchid' RGB color. */ Value ORCHID_RGB_VALUE = new RGBColorValue(NUMBER_218, NUMBER_112, NUMBER_214); /** * The 'palegoldenrod' RGB color. */ Value PALEGOLDENROD_RGB_VALUE = new RGBColorValue(NUMBER_238, NUMBER_232, NUMBER_170); /** * The 'palegreen' RGB color. */ Value PALEGREEN_RGB_VALUE = new RGBColorValue(NUMBER_152, NUMBER_251, NUMBER_152); /** * The 'paleturquoise' RGB color. */ Value PALETURQUOISE_RGB_VALUE = new RGBColorValue(NUMBER_175, NUMBER_238, NUMBER_238); /** * The 'palevioletred' RGB color. */ Value PALEVIOLETRED_RGB_VALUE = new RGBColorValue(NUMBER_219, NUMBER_112, NUMBER_147); /** * The 'papayawhip' RGB color. */ Value PAPAYAWHIP_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_239, NUMBER_213); /** * The 'peachpuff' RGB color. */ Value PEACHPUFF_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_218, NUMBER_185); /** * The 'peru' RGB color. */ Value PERU_RGB_VALUE = new RGBColorValue(NUMBER_205, NUMBER_133, NUMBER_63); /** * The 'pink' RGB color. */ Value PINK_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_192, NUMBER_203); /** * The 'plum' RGB color. */ Value PLUM_RGB_VALUE = new RGBColorValue(NUMBER_221, NUMBER_160, NUMBER_221); /** * The 'powderblue' RGB color. */ Value POWDERBLUE_RGB_VALUE = new RGBColorValue(NUMBER_176, NUMBER_224, NUMBER_230); /** * The 'rosybrown' RGB color. */ Value ROSYBROWN_RGB_VALUE = new RGBColorValue(NUMBER_188, NUMBER_143, NUMBER_143); /** * The 'royalblue' RGB color. */ Value ROYALBLUE_RGB_VALUE = new RGBColorValue(NUMBER_65, NUMBER_105, NUMBER_225); /** * The 'saddlebrown' RGB color. */ Value SADDLEBROWN_RGB_VALUE = new RGBColorValue(NUMBER_139, NUMBER_69, NUMBER_19); /** * The 'salmon' RGB color. */ Value SALMON_RGB_VALUE = new RGBColorValue(NUMBER_250, NUMBER_69, NUMBER_114); /** * The 'sandybrown' RGB color. */ Value SANDYBROWN_RGB_VALUE = new RGBColorValue(NUMBER_244, NUMBER_164, NUMBER_96); /** * The 'seagreen' RGB color. */ Value SEAGREEN_RGB_VALUE = new RGBColorValue(NUMBER_46, NUMBER_139, NUMBER_87); /** * The 'seashell' RGB color. */ Value SEASHELL_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_245, NUMBER_238); /** * The 'sienna' RGB color. */ Value SIENNA_RGB_VALUE = new RGBColorValue(NUMBER_160, NUMBER_82, NUMBER_45); /** * The 'skyblue' RGB color. */ Value SKYBLUE_RGB_VALUE = new RGBColorValue(NUMBER_135, NUMBER_206, NUMBER_235); /** * The 'slateblue' RGB color. */ Value SLATEBLUE_RGB_VALUE = new RGBColorValue(NUMBER_106, NUMBER_90, NUMBER_205); /** * The 'slategray' RGB color. */ Value SLATEGRAY_RGB_VALUE = new RGBColorValue(NUMBER_112, NUMBER_128, NUMBER_144); /** * The 'slategrey' RGB color. */ Value SLATEGREY_RGB_VALUE = new RGBColorValue(NUMBER_112, NUMBER_128, NUMBER_144); /** * The 'snow' RGB color. */ Value SNOW_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_250, NUMBER_250); /** * The 'springgreen' RGB color. */ Value SPRINGGREEN_RGB_VALUE = new RGBColorValue(NUMBER_0, NUMBER_255, NUMBER_127); /** * The 'steelblue' RGB color. */ Value STEELBLUE_RGB_VALUE = new RGBColorValue(NUMBER_70, NUMBER_130, NUMBER_180); /** * The 'tan' RGB color. */ Value TAN_RGB_VALUE = new RGBColorValue(NUMBER_210, NUMBER_180, NUMBER_140); /** * The 'thistle' RGB color. */ Value THISTLE_RGB_VALUE = new RGBColorValue(NUMBER_216, NUMBER_91, NUMBER_216); /** * The 'tomato' RGB color. */ Value TOMATO_RGB_VALUE = new RGBColorValue(NUMBER_255, NUMBER_99, NUMBER_71); /** * The 'turquoise' RGB color. */ Value TURQUOISE_RGB_VALUE = new RGBColorValue(NUMBER_64, NUMBER_224, NUMBER_208); /** * The 'violet' RGB color. */ Value VIOLET_RGB_VALUE = new RGBColorValue(NUMBER_238, NUMBER_130, NUMBER_238); /** * The 'wheat' RGB color. */ Value WHEAT_RGB_VALUE = new RGBColorValue(NUMBER_245, NUMBER_222, NUMBER_179); /** * The 'whitesmoke' RGB color. */ Value WHITESMOKE_RGB_VALUE = new RGBColorValue(NUMBER_245, NUMBER_245, NUMBER_245); /** * The 'yellowgreen' RGB color. */ Value YELLOWGREEN_RGB_VALUE = new RGBColorValue(NUMBER_154, NUMBER_205, NUMBER_50); }
154f1b12b8ce8d44560cac83e2d19882c4bfc246
f824f6efc9750f154da36057a2d3f8899e814033
/app/src/main/java/com/example/admin/uiet/ListLongPress.java
0dcc63aab9b0f6350e3f2415d10e4cd8691426b8
[ "MIT" ]
permissive
antrikshsaini/Practice-Android-App
9825031863992dfedee43c08bb226e7c8cfae6e1
5b70176a09500c8fd2828fef59536aa0cd7c1a41
refs/heads/master
2021-06-21T08:14:50.988257
2017-08-14T19:29:48
2017-08-14T19:29:48
100,301,715
0
0
null
null
null
null
UTF-8
Java
false
false
1,684
java
package com.example.admin.uiet; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.view.ContextMenu; import android.view.MenuItem; import android.view.View; import android.widget.ArrayAdapter; import android.widget.ListView; import android.widget.Toast; import java.util.ArrayList; import java.util.List; public class ListLongPress extends AppCompatActivity { ListView l; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_list_long_press); l=(ListView) findViewById(R.id.listView); List<String> li= new ArrayList<>(); li.add("Something"); li.add("Something"); li.add("Something"); li.add("Something"); li.add("Somethin sasdg"); li.add("Somethdsaading"); li.add("Somethinsadg"); li.add("Something"); li.add("Something"); li.add("Something"); ArrayAdapter<String> adap = new ArrayAdapter<String>(this,android.R.layout.simple_list_item_1,li); l.setAdapter(adap); registerForContextMenu(l); } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenu.ContextMenuInfo menuInfo) { getMenuInflater().inflate(R.menu.mymenu,menu); super.onCreateContextMenu(menu, v, menuInfo); } @Override public boolean onContextItemSelected(MenuItem item) { if(item.getTitle().equals("About")) { Toast.makeText(this,"About is selected",Toast.LENGTH_SHORT).show(); } return super.onContextItemSelected(item); } }
7236f32cf6edc288e6d23e2c25931a51244f8fbb
af1a6d9a2480655a0e07ad4becddb39db1efe0a7
/week-01/day-04/src/ConditionalVariableMutation.java
2c542fa81a9325fd6b60660c996bbc44a0e23bd8
[]
no_license
green-fox-academy/valendre
eb01a72108702916cf0d0ed688785814686f2993
2ec09b34d67411ff82f2a209ba172ccab5314bda
refs/heads/master
2021-02-15T08:54:31.461982
2020-05-08T07:51:22
2020-05-08T07:51:22
244,883,650
0
1
null
null
null
null
UTF-8
Java
false
false
1,483
java
public class ConditionalVariableMutation { public static void main(String[] args) { double a = 24; int out = 0; // if a is even increment out by one if (a % 2 == 0) { out++; } System.out.println(out); int b = 13; String out2 = ""; // if b is between 10 and 20 set out2 to "Sweet!" // if less than 10 set out2 to "Less!", // if more than 20 set out2 to "More!" if ((b <= 10) && (b <= 20)) { out2 = "Sweet!"; } else if (b < 10) { out2 = "Less!"; } else { out2 = "More!"; } System.out.println(out2); int c = 123; int credits = 100; boolean isBonus = false; // if credits are at least 50, // and isBonus is false decrement c by 2 // if credits are smaller than 50, // and isBonus is false decrement c by 1 // if isBonus is true c should remain the same if (!isBonus) { if (credits >= 50) { c -= 2; } else { c--; } } System.out.println(c); int d = 8; int time = 120; String out3 = ""; // if d is dividable by 4 // and time is not more than 200 // set out3 to "check" // if time is more than 200 // set out3 to "Time out" // otherwise set out3 to "Run Forest Run!" if ((d % 4 == 0) && (time <= 200)) { out3 = "check"; } else if (time > 200) { out3 = "Time out"; } else { out3 = "Run Forest Run!"; } System.out.println(out3); } }
c4808fef1fab0146e857b1da6804013120624537
3e9018a6409709e460e0c2196bd7841ca26c2033
/app/src/test/java/com/example/fabiano/rememberapp/ExampleUnitTest.java
40318e201be1156c166fd25058e55aa5e32e6e08
[]
no_license
acristofolini/RememberApp
92f229b1bcb3977c02523b076c78d953946ab12f
ed5605b80d1a23ba463e99488113224784a7d69d
refs/heads/master
2021-01-20T13:23:08.714866
2017-06-03T17:35:45
2017-06-03T17:35:45
90,485,566
0
0
null
null
null
null
UTF-8
Java
false
false
409
java
package com.example.fabiano.rememberapp; import org.junit.Test; import static org.junit.Assert.*; /** * Example local unit test, which will execute on the development machine (host). * * @see <a href="http://d.android.com/tools/testing">Testing documentation</a> */ public class ExampleUnitTest { @Test public void addition_isCorrect() throws Exception { assertEquals(4, 2 + 2); } }
40152163d8e14cb9dc0262cb718759d99cba783d
0b139e1857a9d85ffef6b6f115423283e026cf99
/gestion-torneos/src/gestion/torneos/model/Aspirante.java
0349552b61ce6d964db65783bd8e1306cb1d179d
[]
no_license
leandrounsl/certificacion-111Mil
8328784e622bcdea63d2859c74d670990a0fd6cb
95e593c0cd3c5677b8d595e06d9b77d4f07aa478
refs/heads/master
2020-04-26T01:33:33.573727
2019-03-01T00:18:51
2019-03-01T00:18:51
173,207,687
0
0
null
null
null
null
UTF-8
Java
false
false
8,457
java
package gestion.torneos.model; import java.util.ArrayList; import java.util.Calendar; import java.util.Date; import java.util.List; /** * Clase que representa un aspirante. * * @author Leandro Giménez * @version 1.0 */ public class Aspirante implements java.io.Serializable { private int idCompetidor; private Escuela escuela; private String nombre; private String apellido; private String direccion; private Date fechaNacimiento; private int dni; private Genero sexo; private List<Inscripcion> inscripcions = new ArrayList<>(); /** * Constructor por defecto, sin parámetros. */ public Aspirante() { } /** * Constructor que recibe los siguientes datos del Aspirante: * <li>Nombre</li> * <li>Apellido</li> * <li>Fecha de Nacimiento</li> * <li>DNI</li> * <li>Sexo</li> * <li>Dirección</li> * * @param nombre Nombre del aspirante. * @param apellido Apellido del aspirante. * @param fechaNacimiento Fecha de Nacimiento del aspirante. * @param dni DNI del aspirante. * @param sexo Sexo del aspirante. * @param direccion Dirección del aspirante. */ public Aspirante(String nombre, String apellido, Date fechaNacimiento, int dni, Genero sexo, String direccion) { this.nombre = nombre; this.apellido = apellido; this.fechaNacimiento = fechaNacimiento; this.dni = dni; this.sexo = sexo; this.direccion = direccion; } /** * Constructor que recibe los siguientes datos del Aspirante: * <li>ID de Aspirante</li> * <li>Nombre</li> * <li>Apellido</li> * <li>Fecha de Nacimiento</li> * <li>DNI</li> * <li>Sexo</li> * <li>Dirección</li> * <li>Lista de Inscripciones</li> * * @param idCompetidor ID de aspirante. * @param nombre Nombre del aspirante. * @param apellido Apellido del aspirante. * @param fechaNacimiento Fecha de Nacimiento del aspirante. * @param dni DNI del aspirante. * @param sexo Sexo del aspirante. * @param direccion Dirección del aspirante. * @param inscripcions Lista de inscripciones. */ public Aspirante(int idCompetidor, String nombre, String apellido, Date fechaNacimiento, int dni, Genero sexo, String direccion, List<Inscripcion> inscripcions) { this.idCompetidor = idCompetidor; this.nombre = nombre; this.apellido = apellido; this.fechaNacimiento = fechaNacimiento; this.dni = dni; this.sexo = sexo; this.direccion = direccion; this.inscripcions = inscripcions; } /** * Retorna el Id del competidor. * * @return int id */ public int getIdCompetidor() { return this.idCompetidor; } /** * Setea el Id del competidor. * * @param idCompetidor El Id del competidor. */ public void setIdCompetidor(int idCompetidor) { this.idCompetidor = idCompetidor; } /** * Retorna la escuela a la cual pertenece el aspirante. * * @return Escuela escuela. */ public Escuela getEscuela() { return this.escuela; } /** * Setea la escuela al que pertenece el aspirante. * * @param escuela Escuela al que pertenece el aprirante. */ public void setEscuela(Escuela escuela) { this.escuela = escuela; } /** * Retorna el nombre del aspirante. * * @return String - El nombre del aspirante. */ public String getNombre() { return this.nombre; } /** * Setea el nombre del aspirante. * * @param nombre El nombre del aspirante. */ public void setNombre(String nombre) { this.nombre = nombre; } /** * Retorna el apellido del aspirante. * * @return String - El apellido del aspirante. */ public String getApellido() { return this.apellido; } /** * Setea el apellido del aspirante. * * @param apellido El apellido del aspirante. */ public void setApellido(String apellido) { this.apellido = apellido; } /** * Retorna la dirección del aspirante. * * @return String - La dirección del aspirante. */ public String getDireccion() { return this.direccion; } /** * Setea la dirección del aspirante. * * @param direccion La dirección del aspirante. */ public void setDireccion(String direccion) { this.direccion = direccion; } /** * Retorna la fecha de nacimiento del aspirante. * * @return Date - La fecha de nacimiento del aspirante. */ public Date getFechaNacimiento() { return this.fechaNacimiento; } /** * Setea la fecha de nacimiento del aspirante. * * @param fechaNacimiento La fecha de nacimiento del aspirante. */ public void setFechaNacimiento(Date fechaNacimiento) { this.fechaNacimiento = fechaNacimiento; } /** * Retorna el dni del aspirante. * * @return int - El dni del aspirante. */ public int getDni() { return this.dni; } /** * Setea el dni del aspirante. * * @param dni El dni del aspirante. */ public void setDni(int dni) { this.dni = dni; } /** * Retorna el sexo del aspirante. * * @return Genero - El sexo del aspirante. */ public Genero getSexo() { return sexo; } /** * Setea el sexo del aspirante. * * @param sexo El sexo del aspirante. */ public void setSexo(Genero sexo) { this.sexo = sexo; } /** * Retorna la lista de inscripciones asociadas al aspirante. * * @return Lista de inscripciones. */ public List<Inscripcion> getInscripcions() { return inscripcions; } /** * Setea la lista de inscripciones. * * @param inscripcions - Lista de inscripciones. */ public void setInscripcions(List<Inscripcion> inscripcions) { this.inscripcions = inscripcions; } /** * Agrega una nueva inscripción a la lista de inscripciones. * * @param inscripcion Inscripción a agregar. */ public void agregarInscripcion(Inscripcion inscripcion) { this.inscripcions.add(inscripcion); inscripcion.setAspirante(this); } /** * Borra una inscripción de la lista de inscripciones. * * @param inscripcion Inscripción a borrar. */ public void borrarInscripcion(Inscripcion inscripcion) { this.inscripcions.remove(inscripcion); } /** * Calcula la edad del aspirante en base a su fecha de nacimiento. * * @return int Edad del aspirante. */ public int calcularEdad() { Calendar fechaActual = Calendar.getInstance(); Calendar fechaNac = Calendar.getInstance(); fechaNac.setTime(fechaNacimiento); // Cálculo de las diferencias. int years = fechaActual.get(Calendar.YEAR) - fechaNac.get(Calendar.YEAR); int months = fechaActual.get(Calendar.MONTH) - fechaNac.get(Calendar.MONTH); int days = fechaActual.get(Calendar.DAY_OF_MONTH) - fechaNac.get(Calendar.DAY_OF_MONTH); // Hay que comprobar si el día de su cumpleaños es posterior // a la fecha actual, para restar 1 a la diferencia de años, // pues aún no ha sido su cumpleaños. if (months < 0 // Aún no es el mes de su cumpleaños || (months == 0 && days < 0)) { // o es el mes pero no ha llegado el día. years--; } return years; } @Override public int hashCode() { int hash = 3; return hash; } @Override public boolean equals(Object obj) { if (this == obj) { return true; } if (obj == null) { return false; } if (getClass() != obj.getClass()) { return false; } final Aspirante other = (Aspirante) obj; if (this.idCompetidor > 0 && this.idCompetidor != other.idCompetidor) { return false; } if (this.dni != other.dni) { return false; } return true; } @Override public String toString() { return this.apellido + ", " + this.nombre; } }
0950d39e400b021cb613d909a5a672e788ad9425
40eeda945764a0f061188d90e3c84e82693b9e12
/src/com/sunsheen/jfids/studio/wther/diagram/dialog/listener/ArgUpDownListener.java
b0bfcb3e627ff208c262f521682753f786387c6d
[]
no_license
zhouf/wther.diagram
f004ca8ace45cceb65345d568b1b9711bc14c935
6508d0a63c79f48b1543f191fef5a48c8d4b28b7
refs/heads/master
2021-01-20T18:53:05.000033
2016-07-23T15:08:07
2016-07-23T15:08:07
63,996,960
0
0
null
null
null
null
UTF-8
Java
false
false
2,494
java
package com.sunsheen.jfids.studio.wther.diagram.dialog.listener; import java.util.Arrays; import java.util.List; import java.util.Map; import org.eclipse.jface.dialogs.MessageDialog; import org.eclipse.swt.widgets.Event; import org.eclipse.swt.widgets.Widget; import com.sunsheen.jfids.studio.dialog.agilegrid.AgileGrid; import com.sunsheen.jfids.studio.dialog.agilegrid.Cell; import com.sunsheen.jfids.studio.dialog.compoments.listeners.STableButtonOnClickListener; import com.sunsheen.jfids.studio.dialog.compoments.table.TableCompoment.InnerTableContentProvider; public class ArgUpDownListener implements STableButtonOnClickListener { @Override public void run(Map<String, Widget> coms,Map<String,Object> params,Event e,String currControl,String tableKey) { AgileGrid agileGrid=(AgileGrid)coms.get(tableKey); InnerTableContentProvider provider=(InnerTableContentProvider)agileGrid.getContentProvider(); Map<Integer,Map<Integer,Object>> map; Cell focusCell = agileGrid.getFocusCell(); int row = focusCell.row; if(provider.data.size()==0 || row<0){ //没有数据表格或未选中行时,不执行操作,直接返回 MessageDialog.openInformation(null,"移动操作","请选择需要移动的行"); return; } int argSize = provider.data.get(0).size(); boolean argMode = (row<argSize); int low = 0,limit = 0; if(argMode){ //删除参数 map=provider.data.get(0); }else{ //删除返回 map=provider.data.get(1); } List<Integer> keys=Arrays.asList(map.keySet().toArray(new Integer[map.keySet().size()])); int keySize = keys.size(); //调整上下边界 low = argMode? 0 : argSize; limit = argMode? keySize : keySize + argSize; if("moveUp".equalsIgnoreCase(currControl)){ //第一行不能上移,范围是1~size-1 if(row>low && row <limit){ Map<Integer,Object> rowTemp = map.get(row); map.put(row, map.get(row-1)); map.put(row-1, rowTemp); agileGrid.focusCell(new Cell(agileGrid,focusCell.row-1,focusCell.column)); } }else if("moveDown".equalsIgnoreCase(currControl)){ //最后一行不能下移,范围是0~size-2 if(row>=low && row<(limit-1)){ Map<Integer,Object> rowTemp = map.get(row); map.put(row, map.get(row+1)); map.put(row+1, rowTemp); agileGrid.focusCell(new Cell(agileGrid,focusCell.row+1,focusCell.column)); } } provider.adjustData(); agileGrid.redraw(); params.put(tableKey, provider.data.toArray(new Map[provider.data.size()])); } }
c1d4215f810ce9be4d14f271162e17398dbfe9bf
ddffec557a850041459a4740a9c6c56cc6e2b3c3
/grok-v107/src/ca/uwaterloo/cs/jgrok/lib/Int1.java
58becff4a6f251c746b5b0c2186fbc05a348bacd
[ "LicenseRef-scancode-unknown-license-reference", "Apache-2.0" ]
permissive
yanyiyi-yi/eval-runner-docker
e89e2e015d32cd64e0c3a62add374b1451d7eacf
ed5650a3fe1c7d1c9a6d698608cb125d4aafd9dc
refs/heads/main
2023-05-14T05:56:01.379561
2021-06-07T01:10:27
2021-06-07T01:10:27
null
0
0
null
null
null
null
UTF-8
Java
false
false
615
java
package ca.uwaterloo.cs.jgrok.lib; import ca.uwaterloo.cs.jgrok.env.Env; import ca.uwaterloo.cs.jgrok.interp.*; /** * <pre> * int int(int/float/string) * float float(int/float/string) * </pre> */ public class Int1 extends Function { public Int1() { name = "int"; } public Value invoke(Env env, Value[] vals) throws InvocationException { switch (vals.length) { case 1: return new Value(vals[0].intValue()); } return illegalUsage(); } public String usage() { return "int " + name + "(short|int|long|float|double|string val)"; } }
281c478197c1930eac2a9d3255d320d254141edc
aaa54e8b0f45871c8b56613176e5f6471b6432c9
/springboot-cache/src/main/java/com/sunjx/cache/service/impl/UserServiceImpl.java
67367b8933ff5b66bf7b91804d1dd57c5e2dc580
[]
no_license
janeni/springboot-parent
a7c4843155b3120bcfa47da4f40ac27bf373f182
7af4abe4cbfa1c22c09ec60295e7b0e5d3c49fbc
refs/heads/master
2020-03-30T03:38:52.920037
2018-09-28T07:10:28
2018-09-28T07:10:28
150,700,103
0
0
null
null
null
null
UTF-8
Java
false
false
1,129
java
package com.sunjx.cache.service.impl; import com.sunjx.cache.dao.UserMapper; import com.sunjx.cache.entity.User; import com.sunjx.cache.service.UserService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import java.util.HashMap; import java.util.Map; /** * Created by jx on 2018/6/14. */ @Service public class UserServiceImpl implements UserService{ @Autowired private UserMapper userMapper; @Override public Map findUserById(long id) { Map map=new HashMap(); User user=userMapper.getUserById(id); map.put("result",1); map.put("msg",user); return map; } @Override public Map updateUserById(User user) { Map map=new HashMap(); userMapper.updateUserById(user); map.put("result",1); map.put("msg","更新成功"); return map; } @Override public Map deleteUserById(long id) { Map map=new HashMap(); userMapper.deleteUserById(id); map.put("result",1); map.put("msg","更新成功"); return map; } }
00b58bc20eb750cfaafc4dc436cad269fdb1350a
a751449211aff66e3f4a1ee53ae65bd17f132f5f
/app/src/main/java/com/project/myfirstnormal/ui/camera/CameraFragment.java
90c74fd1fd00cf4898a82bf86be655bf99e69ade
[]
no_license
SabakaBabaka/MyFirstNormal
79d90e164706edc47f90a2e4e79fa5b161d0c85e
e2a99abb76c24fa451c11cb03c01a55434ba6d1e
refs/heads/master
2022-08-03T03:29:09.303940
2020-05-28T12:31:47
2020-05-28T12:31:47
267,129,589
0
0
null
null
null
null
UTF-8
Java
false
false
1,238
java
package com.project.myfirstnormal.ui.camera; import android.os.Bundle; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.TextView; import androidx.annotation.NonNull; import androidx.annotation.Nullable; import androidx.fragment.app.Fragment; import androidx.lifecycle.Observer; import androidx.lifecycle.ViewModelProviders; import com.project.myfirstnormal.R; import com.project.myfirstnormal.ui.camera.CameraViewModel; public class CameraFragment extends Fragment { private CameraViewModel cameraViewModel; public View onCreateView(@NonNull LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { cameraViewModel = ViewModelProviders.of(this).get(CameraViewModel.class); View root = inflater.inflate(R.layout.fragment_camera, container, false); final TextView textView = root.findViewById(R.id.text_camera); cameraViewModel.getText().observe(getViewLifecycleOwner(), new Observer<String>() { @Override public void onChanged(@Nullable String s) { textView.setText(s); } }); return root; } }
37f927541ed87d879ac8293cea557ed9a517f042
0640fa651a9f0b82bf61cc923ea8e94421544f4d
/Stack/src/Stack.java
53d87c30d490ddc8ce9ee424c22938f0ec2eb032
[]
no_license
LefterWu/Play-with-Data-Structures
b0b17e4afeef10eb45b619d01d378fdf06f7ed70
e182a939bdf2a69ba472dff0e72b8894eee21740
refs/heads/master
2020-04-20T10:26:35.648643
2019-02-02T04:14:47
2019-02-02T04:14:47
168,790,137
0
0
null
null
null
null
UTF-8
Java
false
false
509
java
/** * @Description: TODO * @author: wuleshen */ public interface Stack<E> { /** * 入栈 * @param e 入栈元素 */ void push(E e); /** * 出栈 * @return 栈顶元素 */ E pop(); /** * 查看栈顶元素 * @return 栈顶元素 */ E peek(); /** * 得到栈大小 * @return 栈大小 */ int getSize(); /** * 判断栈是否为空 * @return 栈为空,返回true */ boolean isEmpty(); }
a6ce1f953951c615fb66a954bfcc56fd54a7f756
39a816621d95b64842a50348c13b43434b58c138
/src/parser/ocl/ASTQueryExpression.java
4929bc6018c97b2c982e1c066b55930e52410f31
[]
no_license
NUIM-FM/asmig
992f1c957000308661dd8ee800d1c9d3eb2fbe4c
1b6afe79a4328ce163e98a464a8c5f0b3d6c43ce
refs/heads/master
2016-09-14T12:50:19.412047
2015-07-29T08:58:06
2015-07-29T08:58:06
56,883,303
1
0
null
null
null
null
UTF-8
Java
false
false
1,495
java
package parser.ocl; import org.antlr.runtime.Token; import parser.ocl.visitor.PrintVisitor; import parser.ocl.visitor.ReturnVisitor; import atongmu.ast.Expression; public class ASTQueryExpression extends ASTExpression { private Token fOp; private ASTExpression fRange; // may be null private ASTElemVarsDeclaration fDeclList; private ASTExpression fExpr; public ASTQueryExpression(Token op, ASTExpression range, ASTElemVarsDeclaration declList, ASTExpression expr) { fOp = op; fRange = range; fDeclList = declList; fExpr = expr; } public void accept(PrintVisitor v){ v.visit(this); } public <E,LN,LE,V> LE accept(ReturnVisitor<E,LN,LE,V> v){ return v.visit(this); } public ASTExpression range(){ return fRange; } public ASTElemVarsDeclaration vars(){ return fDeclList; } public ASTExpression expr(){ return fExpr; } public boolean IsExists(){ return fOp.getText().compareTo("exists")==0; } public boolean IsForAll(){ return fOp.getText().compareTo("forAll")==0; } public boolean IsSelect(){ return fOp.getText().compareTo("select")==0; } public boolean IsUnique(){ return fOp.getText().compareTo("isUnique")==0; } public Token operator(){ return fOp; } public String toString() { return "ASTQueryExpression: (" + fOp + " " + fRange + " " + fDeclList + " " + fExpr + ")"; } }
3027f87d58a9fee83cba93a30ea72de6e44b6379
96e96b410a58dba5353b8ce23799bab8bbe032cb
/Fuse/qlack2-fuse-settings/qlack2-fuse-settings-api/src/main/java/com/eurodyn/qlack2/fuse/settings/api/exception/QSettingsException.java
7861c78e8527b8fff7e6427d8fc750e39fb06db1
[]
no_license
eurodyn/Qlack2
4e7773fc3dcbdf62c9691095e09e33c9ac71040b
35f6fcc3195efeb38ec2084ffa34751b994751d8
refs/heads/master
2023-08-29T22:46:59.595863
2023-08-14T11:46:05
2023-08-14T11:46:05
75,811,846
8
47
null
2021-06-04T00:57:49
2016-12-07T07:40:59
Java
UTF-8
Java
false
false
1,151
java
/* * Copyright 2014 EUROPEAN DYNAMICS SA <[email protected]> * * Licensed under the EUPL, Version 1.1 only (the "License"). * You may not use this work except in compliance with the Licence. * You may obtain a copy of the Licence at: * https://joinup.ec.europa.eu/software/page/eupl/licence-eupl * * Unless required by applicable law or agreed to in writing, software * distributed under the Licence is distributed on an "AS IS" basis, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the Licence for the specific language governing permissions and * limitations under the Licence. */ package com.eurodyn.qlack2.fuse.settings.api.exception; import com.eurodyn.qlack2.common.util.exception.QException; /** * Exception class for forum module * * @author European Dynamics SA. */ public class QSettingsException extends QException { private static final long serialVersionUID = -8818577616358038848L; /** * @param message */ public QSettingsException(String message) { super(message); } public QSettingsException(String message, Throwable cause) { super(message, cause); } }
a2a24435fb91423617e177a20d2b2a88ec6e257b
768ca65b1261d8bd356813dfb4c348a818b004d4
/02.cloud-eureka/lab-4-words/src/main/java/com/example/controllers/WordsController.java
3c9194d6e16ce69724da6ed0f54b0ad927bfa55c
[]
no_license
AydarZaynutdinov/cloud-microservices
3f6fc4bb52df0d715cb46f279fce692a7da415a0
74a58c73ec78b10c7c0c945f5b0ce6a2513717b4
refs/heads/master
2022-11-15T04:25:11.872588
2020-07-13T16:04:30
2020-07-13T16:04:30
277,890,865
0
0
null
null
null
null
UTF-8
Java
false
false
602
java
package com.example.controllers; import org.springframework.beans.factory.annotation.Value; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.bind.annotation.RestController; @RestController public class WordsController { @Value("${words}") private String words; @GetMapping("/") public @ResponseBody String getWords() { String[] wordsArray = words.split(","); int i = (int) Math.round(Math.random() * (wordsArray.length - 1)); return wordsArray[i]; } }
638d73eb4a2d2ea1b2be862f3808bb7dd7eb8755
9fb28a77995d79b5a8ab7dc399f27a4178cbdbba
/JavaEETermProject/src/java/com/nbcc/gex/Utilities/EmployeeValidator.java
9446e6bf81bd5f5f76fd4c330b564c5eb892e6d1
[ "CC0-1.0" ]
permissive
atoledanoh/ATS2020Test
25cd078adc716c92e1da11e8b4f73165945072ab
0b3019e3f6aa4f898499193e6da931b7da746afe
refs/heads/main
2023-01-30T21:51:22.801409
2020-12-12T02:53:34
2020-12-12T02:53:34
320,710,263
0
0
null
null
null
null
UTF-8
Java
false
false
1,846
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package com.nbcc.gex.Utilities; import com.nbcc.gex.formmodels.EmployeeFormModel; import com.nbcc.gex.models.Employee; import java.util.ArrayList; /** * * @author AlejandroT */ public class EmployeeValidator { public static Employee validateEmployee(EmployeeFormModel employeeForm, ArrayList<String> errors){ Employee employee = new Employee(); errors.clear(); String firstName = employeeForm.getFirstName(); String lastName = employeeForm.getLastName(); String payRateString = employeeForm.getPayRate(); String SINString = employeeForm.getSIN(); try { // Check employee first name not empty if ("".equals(firstName)) errors.add("First name field must not be empty"); else employee.setFirstName(firstName); // Check employee last name not empty if ("".equals(lastName)) errors.add("Last name field must not be empty"); else employee.setLastName(lastName); //check SIN is an integer int SIN = Integer.parseInt(SINString); //check pay rate is a float float payRate = Float.parseFloat(payRateString); employee.setSIN(SIN); employee.setPayRate(payRate); } catch (NumberFormatException nfe){ errors.add("SIN and Pay Rate must be numbers"); } if (errors.size() > 0) return new Employee(); else return employee; } }
d6d10c5d79a97fe4a2a6e034384e7e76a8aa1fa6
e26bf0093a595586b9643148fb5b9b5428c7db6d
/src/Main.java
150045335f23c3eab262138a9c033ef0deab00a2
[]
no_license
udapy/BlockChain
c86c2d47c0048a8299016b39641743bb0c3dee5f
c451e301ce32f122ec508e80927b5765fa2d45aa
refs/heads/master
2021-08-12T01:36:06.515387
2017-11-14T08:30:50
2017-11-14T08:30:50
110,656,660
0
0
null
null
null
null
UTF-8
Java
false
false
937
java
import java.util.Arrays; public class Main { public static void main(String[] args) { String[] genesisTransactions = {"alice sent bob 1000 bitcoin","oscar sent 101 bitcoins to bob"}; Block genesisBlock = new Block(0, genesisTransactions); String[] block2Transactions = {"charlie sent 2000 bitcoin to bob", "alice sent 10 bitcoin to T-mobile"}; Block block2 = new Block(genesisBlock.getBlockHash(), block2Transactions); String[] block3Transactions = {"Tom sent 70 bitcoin to US bank"}; Block block3 = new Block(block2.getBlockHash(), block3Transactions); System.out.println("Hash of genesis block:"); System.out.println(genesisBlock.getBlockHash()); System.out.println("Hash of block 2:"); System.out.println(block2.getBlockHash()); System.out.println("Hash of block 3:"); System.out.println(block3.getBlockHash()); } }
369aa45c08d626e9507655fa4a7a40319d88d3b9
62b3e3bf4db3baa974213d732ebb35335bb5b882
/src/com/etc/controller/HaidaochuanYearController.java
5dfcca4cf66c705b2f3f3578ffb648d85783f29d
[]
no_license
qwe971454629/shujufenxin
f502fbb8b9d26828e8214aea1d4ba57c4c7a0f33
d76856354137dc3b0544bae07ff6ecb606dc9b38
refs/heads/master
2020-03-19T12:59:32.908414
2018-06-11T05:56:52
2018-06-11T05:56:52
136,554,471
0
0
null
null
null
null
UTF-8
Java
false
false
1,755
java
package com.etc.controller; import java.io.IOException; import java.util.List; 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 com.etc.entity.Month; import com.etc.entity.Year; import com.etc.entity.jinshidun; import com.etc.util.DBUtil; import com.google.gson.Gson; /** * Servlet implementation class ProductsController */ @WebServlet({"/hdcy.do","/hdcy","/HaidaochuanYearController"}) public class HaidaochuanYearController extends HttpServlet { private static final long serialVersionUID = 1L; /** * @see HttpServlet#HttpServlet() */ public HaidaochuanYearController() { super(); // TODO Auto-generated constructor stub } /** * @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response) */ protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { // TODO Auto-generated method stub response.setCharacterEncoding("utf-8"); response.setContentType("text/html;charset=utf-8"); List<Year> list=(List<Year> )DBUtil.select("select id,year,number from hdc_year", Year.class); Gson gson = new Gson(); String gsonStr=gson.toJson(list); response.getWriter().print(gsonStr); } /** * @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response) */ protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { // TODO Auto-generated method stub doGet(request, response); } }
[ "lizhimin@DESKTOP-I1PD623" ]
lizhimin@DESKTOP-I1PD623
b37f507261df7e275ff7f5ec6fd9ef508d717f29
f0783a36ade3c938d075ba39ac941993eefa0eae
/src/main/java/fr/gtm/servlets/DeleteServlet.java
2708ac9a33028d2df62a5ede348474dc1c682bdf
[]
no_license
Jcfag2/Bovoyages-FINAL-Back-Office
1975d374ac3bd5384ce1f0e32627fcd2f12cfa5c
b7d0a33af0ef1f66eba32bceef3bfaa134485bcb
refs/heads/master
2022-02-26T11:06:53.625828
2019-11-29T14:56:00
2019-11-29T14:56:00
224,870,297
0
0
null
2022-02-10T01:55:56
2019-11-29T14:33:45
Java
UTF-8
Java
false
false
1,787
java
package fr.gtm.servlets; import java.io.IOException; import java.util.List; import javax.servlet.RequestDispatcher; 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 fr.gtm.entities.Destination; import fr.gtm.services.DestinationServices; /** * Servlet implementation class DeleteServlet */ @WebServlet("/DeleteServlet") public class DeleteServlet extends HttpServlet { private static final long serialVersionUID = 1L; /** * @see HttpServlet#HttpServlet() */ public DeleteServlet() { super(); // TODO Auto-generated constructor stub } /** * @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response) */ protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { DestinationServices service = (DestinationServices) getServletContext().getAttribute(Constantes.DESTINATIONS_SERVICE); String ids = request.getParameter("id"); String page = ""; service.deleteDestination(Long.parseLong(ids)); List<Destination> destinations = service.getDestinations(); request.setAttribute("destinations", destinations); page = "/show-destinations.jsp"; RequestDispatcher rd = getServletContext().getRequestDispatcher(page); rd.forward(request,response); } /** * @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response) */ protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { // TODO Auto-generated method stub doGet(request, response); } }
ffe6bf207c62a15bf2f22fce3bd1ef5c47f6d19e
8ea99b0e685ef705f764e8fc7a20fa6a60041101
/src/main/java/loghub/configuration/ConfigListener.java
92ae37b0ad9ab75f4992343f82967a38a91c2d8d
[ "Apache-2.0" ]
permissive
qq254963746/LogHub
fb16cd31cc9a247fe2e5967ca71b8412a13afbf7
84f2cb11a6425639fbc70896ab5f6223b3d7eb25
refs/heads/master
2021-01-22T02:12:49.758718
2016-01-26T09:47:31
2016-01-26T09:47:31
56,210,825
1
0
null
2016-04-14T05:55:16
2016-04-14T05:55:16
null
UTF-8
Java
false
false
16,876
java
package loghub.configuration; import java.util.ArrayDeque; import java.util.ArrayList; import java.util.Deque; import java.util.HashMap; import java.util.HashSet; import java.util.Iterator; import java.util.List; import java.util.Map; import java.util.Set; import org.antlr.v4.runtime.ParserRuleContext; import loghub.RouteBaseListener; import loghub.RouteParser.ArrayContext; import loghub.RouteParser.BeanContext; import loghub.RouteParser.BeanNameContext; import loghub.RouteParser.BooleanLiteralContext; import loghub.RouteParser.CharacterLiteralContext; import loghub.RouteParser.DropContext; import loghub.RouteParser.EtlContext; import loghub.RouteParser.ExpressionContext; import loghub.RouteParser.FinalpiperefContext; import loghub.RouteParser.FloatingPointLiteralContext; import loghub.RouteParser.ForkpiperefContext; import loghub.RouteParser.InputContext; import loghub.RouteParser.InputObjectlistContext; import loghub.RouteParser.IntegerLiteralContext; import loghub.RouteParser.KeywordContext; import loghub.RouteParser.NullLiteralContext; import loghub.RouteParser.ObjectContext; import loghub.RouteParser.OutputContext; import loghub.RouteParser.OutputObjectlistContext; import loghub.RouteParser.PipelineContext; import loghub.RouteParser.PipenodeContext; import loghub.RouteParser.PipenodeListContext; import loghub.RouteParser.PiperefContext; import loghub.RouteParser.PropertyContext; import loghub.RouteParser.StringLiteralContext; import loghub.RouteParser.TestContext; import loghub.RouteParser.TestExpressionContext; import loghub.configuration.Configuration.PipeJoin; import loghub.processors.Drop; import loghub.processors.Etl; import loghub.processors.Forker; class ConfigListener extends RouteBaseListener { private static enum StackMarker { Test, ObjectList, PipeNodeList, Array, Expression, Etl; }; static final class Input { final List<ObjectDescription> receiver; String piperef; Input(List<ObjectDescription>receiver, String piperef) { this.piperef = piperef; this.receiver = receiver; } @Override public String toString() { return "(" + receiver.toString() + " -> " + piperef + ")"; } } static final class Output { final List<ObjectDescription> sender; final String piperef; Output(List<ObjectDescription>sender, String piperef) { this.piperef = piperef; this.sender = sender; } @Override public String toString() { return "(" + piperef + " -> " + sender.toString() + ")"; } } static interface Processor {}; static final class Pipeline implements Processor { final List<Processor> processors = new ArrayList<>(); } static final class Test implements Processor { String test; Processor True; Processor False; } static final class PipeRef implements Processor { String pipename; } static final class PipeRefName implements Processor { final String piperef; private PipeRefName(String piperef) { this.piperef = piperef; } } static interface ObjectReference {}; static final class ObjectWrapped implements ObjectReference { final Object wrapped; private ObjectWrapped(Object wrapped) { this.wrapped = wrapped; } } static class ObjectDescription implements ObjectReference, Iterable<String> { final ParserRuleContext ctx; final String clazz; Map<String, ObjectReference> beans = new HashMap<>(); ObjectDescription(String clazz, ParserRuleContext ctx) { this.clazz = clazz; this.ctx = ctx; } ObjectReference get(String name) { return beans.get(name); } void put(String name, ObjectReference object) { beans.put(name, object); } @Override public Iterator<String> iterator() { return beans.keySet().iterator(); } }; static final class ProcessorInstance extends ObjectDescription implements Processor { ProcessorInstance(String clazz, ParserRuleContext ctx) { super(clazz, ctx); } ProcessorInstance(ObjectDescription object, ParserRuleContext ctx) { super(object.clazz, ctx); this.beans = object.beans; } }; final Deque<Object> stack = new ArrayDeque<>(); final Map<String, Pipeline> pipelines = new HashMap<>(); final List<Input> inputs = new ArrayList<>(); final List<Output> outputs = new ArrayList<>(); final Map<String, Object> properties = new HashMap<>(); final Set<PipeJoin> joins = new HashSet<>(); final Map<String, String> formatters = new HashMap<>(); private String currentPipeLineName = null; private int expressionDepth = 0; @Override public void enterPiperef(PiperefContext ctx) { stack.push(new PipeRefName(ctx.getText())); } private void pushLiteral(ParserRuleContext ctx, Object content) { // Don't keep literal in a expression, they will be managed in groovy if(expressionDepth > 0) { return; } else { stack.push(new ObjectWrapped(content)); } } @Override public void enterFloatingPointLiteral(FloatingPointLiteralContext ctx) { String content = ctx.FloatingPointLiteral().getText(); pushLiteral(ctx, new Double(content)); } @Override public void enterCharacterLiteral(CharacterLiteralContext ctx) { String content = ctx.CharacterLiteral().getText(); pushLiteral(ctx, content.charAt(0)); } @Override public void enterStringLiteral(StringLiteralContext ctx) { String content = ctx.StringLiteral().getText(); // remove "..." and parse escaped char content = CharSupport.getStringFromGrammarStringLiteral(content); pushLiteral(ctx, content); } @Override public void enterIntegerLiteral(IntegerLiteralContext ctx) { String content = ctx.IntegerLiteral().getText(); pushLiteral(ctx, new Integer(content)); } @Override public void enterBooleanLiteral(BooleanLiteralContext ctx) { String content = ctx.getText(); pushLiteral(ctx, new Boolean(content)); } @Override public void enterNullLiteral(NullLiteralContext ctx) { pushLiteral(ctx, null); } @Override public void exitKeyword(KeywordContext ctx) { stack.push(ctx.getText()); } @Override public void exitBeanName(BeanNameContext ctx) { stack.push(ctx.getText()); } @Override public void exitBean(BeanContext ctx) { ObjectReference beanValue = (ObjectReference) stack.pop(); String beanName = (String) stack.pop(); ObjectDescription beanObject = (ObjectDescription) stack.peek(); beanObject.put(beanName, beanValue); } @Override public void enterObject(ObjectContext ctx) { String qualifiedName = ctx.QualifiedIdentifier().getText(); ObjectReference beanObject = new ObjectDescription(qualifiedName, ctx); stack.push(beanObject); } @Override public void exitPipenode(PipenodeContext ctx) { Object o = stack.pop(); if( ! (o instanceof Processor) ) { ObjectDescription object = (ObjectDescription) o; ProcessorInstance ti = new ProcessorInstance(object, ctx); stack.push(ti); } else { stack.push(o); } } @Override public void exitForkpiperef(ForkpiperefContext ctx) { ObjectDescription beanObject = new ObjectDescription(Forker.class.getCanonicalName(), ctx); beanObject.put("destination", new ObjectWrapped(ctx.Identifier().getText())); ProcessorInstance ti = new ProcessorInstance(beanObject, ctx); stack.push(ti); } @Override public void enterPipeline(PipelineContext ctx) { currentPipeLineName = ctx.Identifier().getText(); } @Override public void exitPipeline(PipelineContext ctx) { FinalpiperefContext nextpipe = ctx.finalpiperef(); if(nextpipe != null) { PipeJoin join = new PipeJoin(currentPipeLineName, nextpipe.getText()); joins.add(join); // The PipeRefName was useless stack.pop(); } Pipeline pipe; if( ! stack.isEmpty()) { pipe = (Pipeline) stack.pop(); } else { // Empty pipeline, was not created in exitPipenodeList pipe = new Pipeline(); } pipelines.put(currentPipeLineName, pipe); currentPipeLineName = null; } @Override public void enterPipenodeList(PipenodeListContext ctx) { stack.push(StackMarker.PipeNodeList ); } @Override public void exitPipenodeList(PipenodeListContext ctx) { Pipeline pipe = new Pipeline(); while( ! (stack.peek() instanceof StackMarker) ) { Processor poped = (Processor)stack.pop(); pipe.processors.add(0, poped); } //Remove the marker stack.pop(); stack.push(pipe); } @Override public void exitPiperef(PiperefContext ctx) { // In pipenode, part of a pipeline, expect to find a transformer, so transform the name to a PipeRef transformer // Other case the name is kept as is if(ctx.getParent() instanceof loghub.RouteParser.PipenodeContext) { PipeRef piperef = new PipeRef(); piperef.pipename = ((PipeRefName) stack.pop()).piperef; stack.push(piperef); } } @Override public void enterTestExpression(TestExpressionContext ctx) { stack.push(StackMarker.Test); } @Override public void exitTest(TestContext ctx) { Test testTransformer = new Test(); List<Processor> clauses = new ArrayList<>(2); Object o; do { o = stack.pop(); if(o instanceof Processor) { Processor t = (Processor) o; clauses.add(0, t); } else if(o instanceof ObjectWrapped) { testTransformer.test = ((ObjectWrapped)o).wrapped.toString(); } } while(! StackMarker.Test.equals(o)); testTransformer.True = clauses.get(0); testTransformer.False = clauses.size() == 2 ? clauses.get(1) : null; stack.push(testTransformer); } @Override public void enterInputObjectlist(InputObjectlistContext ctx) { stack.push(StackMarker.ObjectList); } @Override public void exitInputObjectlist(InputObjectlistContext ctx) { List<ObjectDescription> l = new ArrayList<>(); while(! StackMarker.ObjectList.equals(stack.peek())) { l.add((ObjectDescription) stack.pop()); } stack.pop(); stack.push(l); } @Override public void enterOutputObjectlist(OutputObjectlistContext ctx) { stack.push(StackMarker.ObjectList); } @Override public void exitOutputObjectlist(OutputObjectlistContext ctx) { List<ObjectDescription> l = new ArrayList<>(); while(! StackMarker.ObjectList.equals(stack.peek())) { l.add((ObjectDescription) stack.pop()); } stack.pop(); stack.push(l); } @Override public void exitOutput(OutputContext ctx) { PipeRefName piperef; @SuppressWarnings("unchecked") List<ObjectDescription> senders = (List<ObjectDescription>) stack.pop(); if(stack.peek() != null && stack.peek() instanceof PipeRefName) { piperef = (PipeRefName) stack.pop(); } else { // if no pipe name given, take events from the main pipe piperef = new PipeRefName("main"); } Output output = new Output(senders, piperef.piperef); outputs.add(output); } @Override public void exitInput(InputContext ctx) { PipeRefName piperef; if(stack.peek() instanceof PipeRefName) { piperef = (PipeRefName) stack.pop(); } else { // if no pipe name given, events are sent to the main pipe piperef = new PipeRefName("main"); } @SuppressWarnings("unchecked") List<ObjectDescription> receivers = (List<ObjectDescription>) stack.pop(); Input input = new Input(receivers, piperef.piperef); inputs.add(input); } @Override public void exitProperty(PropertyContext ctx) { Object value = stack.pop(); String key = ctx.propertyName().getText(); properties.put(key, value); } @Override public void enterArray(ArrayContext ctx) { stack.push(StackMarker.Array); } @Override public void exitArray(ArrayContext ctx) { List<Object> array = new ArrayList<>(); while(! StackMarker.Array.equals(stack.peek()) ) { Object o = stack.pop(); if(o instanceof ObjectWrapped) { o = ((ObjectWrapped) o).wrapped; } array.add(o); } stack.pop(); stack.push(new ObjectWrapped(array.toArray())); } @Override public void exitDrop(DropContext ctx) { ObjectDescription drop = new ObjectDescription(Drop.class.getCanonicalName(), ctx); stack.push(drop); } @Override public void enterEtl(EtlContext ctx) { stack.push(StackMarker.Etl); } @Override public void exitEtl(EtlContext ctx) { ObjectWrapped expression = null; switch(ctx.op.getText()) { case("-"): break; case("<"): { String temp = ctx.eventVariable().get(1).getText(); temp = temp.substring(1, temp.length() -1); expression = new ObjectWrapped(temp); break; } case("="): expression = (ObjectWrapped) stack.pop(); break; case("("): expression = new ObjectWrapped(ctx.QualifiedIdentifier().getText());break; } // Remove Etl marker Object o = stack.pop(); assert StackMarker.Etl.equals(o); String lvalue = ctx.eventVariable().get(0).getText(); lvalue = lvalue.substring(1, lvalue.length() - 1); ObjectDescription etl = new ObjectDescription(Etl.class.getCanonicalName(), ctx); etl.beans.put("lvalue", new ConfigListener.ObjectWrapped(lvalue)); etl.beans.put("operator", new ConfigListener.ObjectWrapped(ctx.op.getText().charAt(0))); if(expression != null) { etl.beans.put("expression", expression); } stack.push(etl); } @Override public void enterExpression(ExpressionContext ctx) { expressionDepth++; } @Override public void exitExpression(ExpressionContext ctx) { String expression = null; if(ctx.sl != null) { String format = ctx.sl.getText(); format = CharSupport.getStringFromGrammarStringLiteral(format); String key = "h_" + Integer.toHexString(format.hashCode()); formatters.put(key, format); expression = "formatters." + key + ".format(event)"; } else if (ctx.l != null) { expression = ctx.l.getText(); } else if (ctx.ev != null) { String ev = ctx.ev.getText(); ev = ev.substring(1, ev.length() - 1 ); expression = "event." + ev; } else if (ctx.qi != null) { expression = ctx.qi.getText(); } else if (ctx.opu != null) { expression = ctx.opu.getText() + " " + stack.pop(); } else if (ctx.opm != null) { Object pre = stack.pop(); expression = pre + " " + ctx.opm.getText() + " " + ctx.patternLiteral().getText(); } else if (ctx.opb != null) { String opb = ctx.opb.getText(); // because of use of | as a pipe symbol, it can't be used for the binary or // So for users simplicity and consistency, alre binary operators are prefixed by a '.' // but then it must be removed for groovy if(opb.length() == 2 && opb.startsWith(".")) { opb = opb.substring(1); } Object post = stack.pop(); Object pre = stack.pop(); expression = pre + " " + opb + " " + post; } else if (ctx.e3 != null) { Object subexpression = stack.pop(); expression = "(" + subexpression + ")"; } expressionDepth--; if(expressionDepth == 0) { stack.push( new ObjectWrapped(expression)); } else { stack.push(expression); } } }
ea66e24477377efa7bec07cd541f9cad29249655
6254347eaf4e96dc77e69820bef34df0eaf2d906
/pdfsam-enhanced/pdfsam-console/tags/V_1_1_1e/src/java/org/pdfsam/console/business/parser/handlers/EncryptCmdHandler.java
fbd946cfae49f3011eef9d59352aca108fba5c92
[]
no_license
winsonrich/pdfsam-v2
9044913b14ec2e0c33801a77fbbc696367a8f587
0c7cc6dfeee88d1660e30ed53c7d09d40bf986aa
refs/heads/master
2020-04-02T16:20:17.751695
2018-12-07T14:52:22
2018-12-07T14:52:22
154,608,091
0
0
null
2018-10-25T04:03:03
2018-10-25T04:03:03
null
UTF-8
Java
false
false
6,011
java
/* * Created on 16-Oct-2007 * Copyright (C) 2007 by Andrea Vacondio. * * 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 2 of the License. * 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, write to the Free Software Foundation, Inc., * 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ package org.pdfsam.console.business.parser.handlers; import java.util.ArrayList; import java.util.Arrays; import java.util.Collection; import java.util.List; import jcmdline.FileParam; import jcmdline.Parameter; import jcmdline.PdfFileParam; import jcmdline.StringParam; import org.pdfsam.console.business.dto.commands.EncryptParsedCommand; import org.pdfsam.console.business.parser.handlers.interfaces.AbstractCmdHandler; /** * Handler for the encrypt command * @author Andrea Vacondio */ public class EncryptCmdHandler extends AbstractCmdHandler { private final String commandDescription = "Merge together pdf documents."; /** * Options for the encrypt handler */ private final List encryptOptions = new ArrayList(Arrays.asList(new Parameter[] { new FileParam(EncryptParsedCommand.O_ARG, "output directory", ((FileParam.IS_DIR & FileParam.EXISTS)), FileParam.REQUIRED, FileParam.SINGLE_VALUED), new PdfFileParam(EncryptParsedCommand.F_ARG, "pdf files to encrypt: a list of existing pdf files (EX. -f /tmp/file1.pdf -f /tmp/file2.pdf)", FileParam.IS_READABLE, FileParam.REQUIRED, FileParam.MULTI_VALUED), new StringParam(EncryptParsedCommand.P_ARG, "prefix for the output files name", StringParam.OPTIONAL), new StringParam(EncryptParsedCommand.APWD_ARG, "administrator password for the document", StringParam.OPTIONAL), new StringParam(EncryptParsedCommand.UPWD_ARG, "user password for the document", StringParam.OPTIONAL), new StringParam(EncryptParsedCommand.ALLOW_ARG, "permissions: a list of permissions", new String[] { EncryptParsedCommand.E_PRINT, EncryptParsedCommand.E_MODIFY, EncryptParsedCommand.E_COPY, EncryptParsedCommand.E_ANNOTATION, EncryptParsedCommand.E_FILL, EncryptParsedCommand.E_SCREEN, EncryptParsedCommand.E_ASSEMBLY, EncryptParsedCommand.E_DPRINT }, FileParam.OPTIONAL, FileParam.MULTI_VALUED), new StringParam(EncryptParsedCommand.ETYPE_ARG, "encryption angorithm. If omitted it uses rc4_128", new String[] { EncryptParsedCommand.E_RC4_40, EncryptParsedCommand.E_RC4_128, EncryptParsedCommand.E_AES_128}, StringParam.OPTIONAL, StringParam.SINGLE_VALUED) })); /** * The arguments for encrypt command */ private final List encryptArguments = new ArrayList(Arrays.asList(new Parameter[] { new StringParam("command", "command to execute {[encrypt]}", new String[] { EncryptParsedCommand.COMMAND_ECRYPT }, StringParam.REQUIRED), })); /** * Help text for the encrypt command */ private static final String encryptHelpText = "Encrypt pdf files. "+ "You must specify '-o /home/user' to set the output directory.\n"+ "You must specify '-f /tmp/file1.pdf /tmp/file2.pdf:password -f /tmp/file3.pdf [...]' to specify a file list to encrypt (use filename:password if the file is password protected).\n"+ "'-apwd password' to set the owner password.\n"+ "'-upwd password' to set the user password.\n"+ "'-allow permission' to set the permissions list. Possible values {["+EncryptParsedCommand.E_PRINT+"], ["+EncryptParsedCommand.E_ANNOTATION+"], ["+EncryptParsedCommand.E_ASSEMBLY+"], ["+EncryptParsedCommand.E_COPY+"], ["+EncryptParsedCommand.E_DPRINT+"], ["+EncryptParsedCommand.E_FILL+"], ["+EncryptParsedCommand.E_MODIFY+"], ["+EncryptParsedCommand.E_SCREEN+"]}\n"+ "'-p prefix_' to specify a prefix for output names of files. If it contains \"[TIMESTAMP]\" it performs variable substitution. (Ex. [BASENAME]_prefix_[TIMESTAMP] generates FileName_prefix_20070517_113423471.pdf)\n"+ "Available prefix variables: [TIMESTAMP], [BASENAME].\n"+ "'-etype ' to set the encryption angorithm. If omitted it uses rc4_128. Possible values {["+EncryptParsedCommand.E_AES_128+"], ["+EncryptParsedCommand.E_RC4_128+"], ["+EncryptParsedCommand.E_RC4_40+"]}\n"; /** * example text for the encrypt handler */ private final String encryptExample = "Example: java -jar pdfsam-console-VERSION.jar -f /tmp/1.pdf -o /tmp -apwd hello -upwd word -allow print -allow fill -etype rc4_128 -p encrypted_ encrypt\n"; public Collection getArguments() { return encryptArguments; } public String getCommandDescription() { return commandDescription; } public String getHelpExamples() { return encryptExample; } public Collection getOptions() { return encryptOptions; } public String getHelpMessage() { return encryptHelpText; } }
[ "torakiki@2703fb93-1e26-0410-8fff-b03f68e33ab9" ]
torakiki@2703fb93-1e26-0410-8fff-b03f68e33ab9
fbe52c90a52e7846abee01aaa2f5f103000b9ccc
cd0885190cb72218f4e9804825e6f6975b67b676
/Lab Assignment - Day 7/src/AnnotationReader.java
afbd4860c9565d13fadb977a59595de70f8da99c
[]
no_license
vinayakkuradia/YMSLI-LabAssignments
011617b4a2bbd7e294b369141fae40470cc754ec
8b07a81b213bd9391e6868de93a34b6c36bd0e0b
refs/heads/master
2023-07-05T21:53:45.319715
2021-08-21T11:36:45
2021-08-21T11:36:45
389,938,673
0
0
null
null
null
null
UTF-8
Java
false
false
761
java
import java.lang.reflect.AnnotatedElement; import java.lang.annotation.*; public class AnnotationReader { static void readAnnotation(AnnotatedElement element) { Annotation [] annotations = element.getAnnotations(); for(Annotation each: annotations) { if (each instanceof Author) { Author a = (Author) each; System.out.println("Author: "+a.name()); } else if (each instanceof Version) { Version v = (Version) each; System.out.println("Version: "+v.number()); } } } public static void main(String[] args) { try { readAnnotation(AnnotatedClass.class.getMethod("annotatedMethod1")); } catch (NoSuchMethodException e) { e.printStackTrace(); } catch (SecurityException e) { e.printStackTrace(); } } }
e74c11eefd3baa38899437d58ef733b7bb380696
f0da9aa109f38e9ed0e598995536d13037d445e8
/Backend/src/parser/CourseNotesParser.java
abb9b9f54f38a8924954fc88984d3db46540b419
[]
no_license
jan-verm/Design_project
cbd9c411c4ae97d43693d94019c1f6032c455674
ff6fd9664666f25d64f639a78c58cb062437c2cd
refs/heads/master
2021-06-29T12:54:13.087335
2017-09-20T14:37:50
2017-09-20T14:37:50
104,227,264
0
0
null
null
null
null
UTF-8
Java
false
false
2,008
java
package parser; import java.util.ArrayList; import java.util.List; import models.CourseNotes; import models.Video; import org.json.JSONArray; import org.json.JSONException; import org.json.JSONObject; /** * @author Jan Vermeulen */ public class CourseNotesParser { private static final String COURSE_NOTES_ID = "courseNotesId"; private static final String URL = "url"; private static final String NAME = "name"; /** * JSON CourseNotes to CourseNotes object * * @param JSON String * @return CourseNotes object */ public static CourseNotes to(String json) throws JSONException { JSONObject root = new JSONObject(json); String title = root.getString(NAME); String url = root.getString(URL); CourseNotes cn = new CourseNotes(title, url); return cn; } /** * JSON CourseNotes list to CourseNotes object * * @param JSON String * @return CourseNotes object */ public static List<CourseNotes> toList(String json) throws JSONException { JSONArray root = new JSONArray(json); List<CourseNotes> cnList = new ArrayList<CourseNotes>(); for(int i=0; i < root.length(); i++) { String cnJSON = root.getJSONObject(i).toString(); cnList.add(to(cnJSON)); } return cnList; } /** * CourseNotes object to JSON CourseNotes * * @param CourseNotes object * @return JSON String */ public static JSONObject from(CourseNotes courseNotes) throws JSONException { JSONObject root = new JSONObject(); root.put(COURSE_NOTES_ID, courseNotes.getId()); root.put(NAME, courseNotes.getTitle()); root.put(URL, courseNotes.getUrl()); return root; } /** * list of CourseNotes objects to JSON CourseNotes list * * @param CourseNotes object list * @return JSON String */ public static JSONArray fromList(List<CourseNotes> courseNotesList) throws JSONException { JSONArray root = new JSONArray(); for(CourseNotes courseNotes : courseNotesList) { JSONObject listElem = from(courseNotes); root.put(listElem); } return root; } }
715dfef2eb3115e93e399bffee0ef0f2b50bb846
7986e900586ff02d2c15275c7003b35218343053
/architecturecomponents/src/main/java/com/a65apps/architecturecomponents/data/preferences/StringSetPreferencesSource.java
6c0da207a0a924102ff92a0e58149c01fb08aba2
[]
no_license
ffuel/android-architecture-components
9b3255b830bd7813e21040f238cc56cec82720bb
2b301407b35958220f16351361cc366c2c967616
refs/heads/master
2020-04-08T12:06:42.333011
2018-11-19T12:24:02
2018-11-19T12:24:02
159,333,467
0
0
null
null
null
null
UTF-8
Java
false
false
933
java
package com.a65apps.architecturecomponents.data.preferences; import android.annotation.SuppressLint; import android.content.SharedPreferences; import android.support.annotation.NonNull; import java.util.Collections; import java.util.Set; @SuppressLint("ApplySharedPref") public abstract class StringSetPreferencesSource extends BasePreferencesSource<Set<String>> { @NonNull private final SharedPreferences sharedPreferences; public StringSetPreferencesSource(@NonNull SharedPreferences sharedPreferences) { super(Collections.emptySet()); this.sharedPreferences = sharedPreferences; } @Override protected void performPutData(@NonNull Set<String> data) { sharedPreferences.edit().putStringSet(key(), data).commit(); } @NonNull @Override protected Set<String> performGetData() { return sharedPreferences.getStringSet(key(), Collections.emptySet()); } }
fd20234ebad0abae288250601151d60c044ad5e8
37e52550aacff5c9a5a2472e3efb3b92b552cc7b
/Algorithm/src/Arrays_Multiple.java
c39e97e159b1ea78d666da122d2b97ac3ea83811
[]
no_license
KimHanNyuck/Algorithm
734bee9d93293d7aa4c49e4cb33dd9bbe96ff104
661168b3d576bc44debc2a47c4b383cc25dc6cfe
refs/heads/master
2023-01-08T04:55:19.893258
2020-11-12T07:30:00
2020-11-12T07:30:00
262,037,823
0
0
null
null
null
null
UTF-8
Java
false
false
435
java
public class Arrays_Multiple { public int[][] solution(int[][] arr1, int[][] arr2) { int[][] answer = new int[arr1.length][arr2[0].length]; for(int i=0; i<answer.length; i++) { for(int j=0; j<answer[0].length; j++) { for(int z=0; z<arr1[0].length; z++) { answer[i][j] += arr1[i][z] * arr2[z][j]; } } } return answer; } public static void main(String[] args) { // TODO Auto-generated method stub } }
1dbbc67dbb28c3f2cce6560e389d47d3825b82ab
5aaf23a0425077d4d6f634f14dc2a9eb56d79bcb
/src/main/java/com/bis/operox/inv/dao/impl/PurchaseOrderItemsDaoImpl.java
831f36867c2e5c9c0eaa5e46c5a4b94293a1df0e
[]
no_license
naidu8242/operox_shopping
578e35cc6de437e3dd526834a796d63159d9f900
fe4f3080fc58546e774110e31c022c55bcb326cb
refs/heads/master
2022-12-23T04:38:20.470280
2020-02-03T09:53:48
2020-02-03T09:53:48
237,930,620
0
0
null
2022-12-16T08:01:12
2020-02-03T09:38:49
Java
UTF-8
Java
false
false
3,198
java
package com.bis.operox.inv.dao.impl; import java.util.List; import org.hibernate.Session; import org.hibernate.SessionFactory; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Repository; import org.springframework.transaction.annotation.Transactional; import com.bis.operox.inv.dao.PurchaseOrderItemsDao; import com.bis.operox.inv.dao.entity.PurchaseOrder; import com.bis.operox.inv.dao.entity.PurchaseOrderItems; /** * * @author Prasad Salina * */ @Repository public class PurchaseOrderItemsDaoImpl implements PurchaseOrderItemsDao{ @Autowired private SessionFactory sessionFactory; private static final Logger logger = LoggerFactory.getLogger(PurchaseOrderItemsDaoImpl.class); @Override @Transactional public PurchaseOrderItems addPurchaseOrderItems(PurchaseOrderItems purchaseOrderItems) { Session session = this.sessionFactory.getCurrentSession(); session.saveOrUpdate(purchaseOrderItems); logger.info("PurchaseOrderItems saved successfully, PurchaseOrderItems Details="+purchaseOrderItems); return purchaseOrderItems; } @Override @Transactional public PurchaseOrderItems getPurchaseOrderItemsById(Long id) { Session session = this.sessionFactory.getCurrentSession(); PurchaseOrderItems purchaseOrderItems = (PurchaseOrderItems) session.load(PurchaseOrderItems.class, new Long(id)); logger.info("PurchaseOrderItems loaded successfully, PurchaseOrderItems details="+purchaseOrderItems); return purchaseOrderItems; } @Override @Transactional public PurchaseOrderItems getPurchaseOrderItemsByPurchaseOrderIdAndRawMaterialId(Long purchaseOrderId, String rawMaterialId) throws Exception{ Session session = this.sessionFactory.getCurrentSession(); String query = "from PurchaseOrderItems poi where poi.purchaseOrder.id = :purchaseOrderId and poi.rawMaterial.id = :rawMaterialId "; List<PurchaseOrderItems> orderItemsList = session.createQuery(query).setLong("purchaseOrderId", purchaseOrderId).setString("rawMaterialId", rawMaterialId).setCacheable(true).list(); PurchaseOrderItems purchaseOrderItems = null; if(orderItemsList != null && !orderItemsList.isEmpty()){ purchaseOrderItems = orderItemsList.iterator().next(); } return purchaseOrderItems; } @SuppressWarnings("unchecked") @Override @Transactional public List<PurchaseOrderItems> getAllPurchaseOrderItems() { Session session = this.sessionFactory.getCurrentSession(); List<PurchaseOrderItems> purchaseOrderItemsList = session.createQuery("from PurchaseOrderItems").list(); return purchaseOrderItemsList; } @SuppressWarnings("unchecked") @Override @Transactional public List<PurchaseOrderItems> getAllPurchaseOrderItemsByPurchaseOrderId(Long purchaseOrderId) { Session session = this.sessionFactory.getCurrentSession(); List<PurchaseOrderItems> purchaseOrderItemsList = session.createQuery("from PurchaseOrderItems POItems where POItems.purchaseOrder =:purchaseOrderId").setLong("purchaseOrderId", purchaseOrderId).setCacheable(true).list(); return purchaseOrderItemsList; } }
7a9b5d7bd04d19918c2b695439e72a5810103421
156a79095e27ca36fa1207bb3cc61a75b1f671e6
/src/main/java/by/it/group473601/atamanchuk/lesson01/FiboA.java
45c896c1926c1228c57a3466aaca0ca470cd9f1b
[]
no_license
skalashynski/dynamic_programming
cc7fdd9cebb18e499fb0e6a502f6c170b898c5b3
6ed5894bd34488b109e25b26111d6e382f8ffa0a
refs/heads/master
2023-04-14T23:47:46.686808
2021-04-18T08:26:49
2021-04-18T08:26:49
297,419,581
0
0
null
null
null
null
UTF-8
Java
false
false
1,837
java
package by.it.group473601.atamanchuk.lesson01; import java.math.BigInteger; /* * Вам необходимо выполнить рекурсивный способ вычисления чисел Фибоначчи */ public class FiboA { private long startTime = System.currentTimeMillis(); private long time() { return System.currentTimeMillis() - startTime; } public static void main(String[] args) { FiboA fibo = new FiboA(); int n = 33; System.out.printf("calc(%d)=%d \n\t time=%d \n\n", n, fibo.calc(n), fibo.time()); //вычисление чисел фибоначчи медленным методом (рекурсией) fibo = new FiboA(); n = 33; System.out.printf("slowA(%d)=%d \n\t time=%d \n\n", n, fibo.slowA(n), fibo.time()); } private int calc(int n) { //здесь простейший вариант, в котором код совпадает с мат.определением чисел Фибоначчи //время O(2^n) int fib1=1; int fib2=1; int fibResult=1; if(n==0) return 0; for(int i=2;i<n;i++) { fibResult = fib1 + fib2; fib1 = fib2; fib2 = fibResult; } return fibResult; } BigInteger slowA(Integer n) { //рекурсия //здесь нужно реализовать вариант без ограничения на размер числа, //в котором код совпадает с мат.определением чисел Фибоначчи //время O(2^n) if(n==0) return BigInteger.ZERO; if (n == 1||n==2) { return BigInteger.ONE; } return slowA(n - 1).add(slowA(n - 2)); } }
8d7a4610ab1e6c18ae69d32edba748ccb46b2d51
8df0553905ff0503e705c29e37a7fe588e7e332d
/hljcommonlibrary/src/main/java/com/hunliji/hljcommonlibrary/models/modelwrappers/HotCommunityChannel.java
f8d59b8b34d12b36db09312f3efbea534d2b16eb
[]
no_license
Catfeeds/myWorkspace
9cd0af10597af9d28f8d8189ca0245894d270feb
3c0932e626e72301613334fd19c5432494f198d2
refs/heads/master
2020-04-11T12:19:27.141598
2018-04-04T08:14:31
2018-04-04T08:14:31
null
0
0
null
null
null
null
UTF-8
Java
false
false
4,643
java
package com.hunliji.hljcommonlibrary.models.modelwrappers; import android.os.Parcel; import android.os.Parcelable; import com.google.gson.annotations.SerializedName; import com.hunliji.hljcommonlibrary.models.City; import com.hunliji.hljcommonlibrary.models.Poster; import com.hunliji.hljcommonlibrary.models.communitythreads.CommunityChannel; import org.joda.time.DateTime; /** * Created by mo_yu on 2016/5/18. 热门频道数据 */ public class HotCommunityChannel implements Parcelable { private Long id; @SerializedName(value = "entity_id") private Long entityId; private Long cid; @SerializedName(value = "entity_type") private String entityType; @SerializedName(value = "good_title") private String goodTitle; private int type; @SerializedName(value = "created_at") private DateTime createdAt; @SerializedName(value = "updated_at") private DateTime updatedAt; private int weight; @SerializedName(value = "is_auto") private boolean isAuto; private CommunityChannel entity; public HotCommunityChannel(String path, String cityName, int count) { CommunityChannel communityChannel = new CommunityChannel(); this.entity = communityChannel; this.entity.setTitle(cityName); this.entity.setCoverPath(path); this.entity.setTodayWatchCount(count); } public Long getId() { return id; } public void setId(Long id) { this.id = id; } public Long getEntityId() { return entityId; } public void setEntityId(Long entityId) { this.entityId = entityId; } public Long getCid() { return cid; } public void setCid(Long cid) { this.cid = cid; } public String getEntityType() { return entityType; } public void setEntityType(String entityType) { this.entityType = entityType; } public String getGoodTitle() { return goodTitle; } public void setGoodTitle(String goodTitle) { this.goodTitle = goodTitle; } public int getType() { return type; } public void setType(int type) { this.type = type; } public DateTime getCreatedAt() { return createdAt; } public void setCreatedAt(DateTime createdAt) { this.createdAt = createdAt; } public DateTime getUpdatedAt() { return updatedAt; } public void setUpdatedAt(DateTime updatedAt) { this.updatedAt = updatedAt; } public int getWeight() { return weight; } public void setWeight(int weight) { this.weight = weight; } public boolean isAuto() { return isAuto; } public void setAuto(boolean auto) { isAuto = auto; } public CommunityChannel getEntity() { return entity; } public void setEntity(CommunityChannel entity) { this.entity = entity; } public HotCommunityChannel() {} @Override public int describeContents() { return 0; } @Override public void writeToParcel(Parcel dest, int flags) { dest.writeValue(this.id); dest.writeValue(this.entityId); dest.writeValue(this.cid); dest.writeString(this.entityType); dest.writeString(this.goodTitle); dest.writeInt(this.type); dest.writeSerializable(this.createdAt); dest.writeSerializable(this.updatedAt); dest.writeInt(this.weight); dest.writeByte(this.isAuto ? (byte) 1 : (byte) 0); dest.writeParcelable(this.entity, flags); } protected HotCommunityChannel(Parcel in) { this.id = (Long) in.readValue(Long.class.getClassLoader()); this.entityId = (Long) in.readValue(Long.class.getClassLoader()); this.cid = (Long) in.readValue(Long.class.getClassLoader()); this.entityType = in.readString(); this.goodTitle = in.readString(); this.type = in.readInt(); this.createdAt = (DateTime) in.readSerializable(); this.updatedAt = (DateTime) in.readSerializable(); this.weight = in.readInt(); this.isAuto = in.readByte() != 0; this.entity = in.readParcelable(CommunityChannel.class.getClassLoader()); } public static final Creator<HotCommunityChannel> CREATOR = new Creator<HotCommunityChannel>() { @Override public HotCommunityChannel createFromParcel(Parcel source) { return new HotCommunityChannel(source); } @Override public HotCommunityChannel[] newArray(int size) {return new HotCommunityChannel[size];} }; }
a227618427b8c525a575843c659ed78460e7c781
a744882fb7cf18944bd6719408e5a9f2f0d6c0dd
/sourcecode8/src/sun/print/PSPathGraphics.java
d0f3914475edaa6b0b14a5b31e8a6d134174568a
[ "Apache-2.0" ]
permissive
hanekawasann/learn
a39b8d17fd50fa8438baaa5b41fdbe8bd299ab33
eef678f1b8e14b7aab966e79a8b5a777cfc7ab14
refs/heads/master
2022-09-13T02:18:07.127489
2020-04-26T07:58:35
2020-04-26T07:58:35
176,686,231
0
0
Apache-2.0
2022-09-01T23:21:38
2019-03-20T08:16:05
Java
UTF-8
Java
false
false
30,829
java
/* * Copyright (c) 1998, 2013, Oracle and/or its affiliates. All rights reserved. * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License version 2 only, as * published by the Free Software Foundation. Oracle designates this * particular file as subject to the "Classpath" exception as provided * by Oracle in the LICENSE file that accompanied this code. * * This code 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 * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * You should have received a copy of the GNU General Public License version * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ package sun.print; import java.awt.Color; import java.awt.Font; import java.awt.Graphics; import java.awt.Graphics2D; import java.awt.Image; import java.awt.Shape; import java.awt.Transparency; import java.awt.font.FontRenderContext; import java.awt.font.TextLayout; import java.awt.geom.AffineTransform; import java.awt.geom.Area; import java.awt.geom.PathIterator; import java.awt.geom.Point2D; import java.awt.geom.Rectangle2D; import java.awt.geom.Line2D; import java.awt.image.BufferedImage; import sun.awt.image.ByteComponentRaster; import java.awt.print.PageFormat; import java.awt.print.Printable; import java.awt.print.PrinterException; import java.awt.print.PrinterJob; /** * This class converts paths into PostScript * by breaking all graphics into fills and * clips of paths. */ class PSPathGraphics extends PathGraphics { /** * For a drawing application the initial user space * resolution is 72dpi. */ private static final int DEFAULT_USER_RES = 72; PSPathGraphics(Graphics2D graphics, PrinterJob printerJob, Printable painter, PageFormat pageFormat, int pageIndex, boolean canRedraw) { super(graphics, printerJob, painter, pageFormat, pageIndex, canRedraw); } /** * Creates a new <code>Graphics</code> object that is * a copy of this <code>Graphics</code> object. * * @return a new graphics context that is a copy of * this graphics context. * @since JDK1.0 */ public Graphics create() { return new PSPathGraphics((Graphics2D) getDelegate().create(), getPrinterJob(), getPrintable(), getPageFormat(), getPageIndex(), canDoRedraws()); } /** * Override the inherited implementation of fill * so that we can generate PostScript in user space * rather than device space. */ public void fill(Shape s, Color color) { deviceFill(s.getPathIterator(new AffineTransform()), color); } /** * Draws the text given by the specified string, using this * graphics context's current font and color. The baseline of the * first character is at position (<i>x</i>,&nbsp;<i>y</i>) in this * graphics context's coordinate system. * * @param str the string to be drawn. * @param x the <i>x</i> coordinate. * @param y the <i>y</i> coordinate. * @see java.awt.Graphics#drawBytes * @see java.awt.Graphics#drawChars * @since JDK1.0 */ public void drawString(String str, int x, int y) { drawString(str, (float) x, (float) y); } /** * Renders the text specified by the specified <code>String</code>, * using the current <code>Font</code> and <code>Paint</code> attributes * in the <code>Graphics2D</code> context. * The baseline of the first character is at position * (<i>x</i>,&nbsp;<i>y</i>) in the User Space. * The rendering attributes applied include the <code>Clip</code>, * <code>Transform</code>, <code>Paint</code>, <code>Font</code> and * <code>Composite</code> attributes. For characters in script systems * such as Hebrew and Arabic, the glyphs can be rendered from right to * left, in which case the coordinate supplied is the location of the * leftmost character on the baseline. * * @param s the <code>String</code> to be rendered * @param x,&nbsp;y the coordinates where the <code>String</code> * should be rendered * @see #setPaint * @see java.awt.Graphics#setColor * @see java.awt.Graphics#setFont * @see #setTransform * @see #setComposite * @see #setClip */ public void drawString(String str, float x, float y) { drawString(str, x, y, getFont(), getFontRenderContext(), 0f); } protected boolean canDrawStringToWidth() { return true; } protected int platformFontCount(Font font, String str) { PSPrinterJob psPrinterJob = (PSPrinterJob) getPrinterJob(); return psPrinterJob.platformFontCount(font, str); } protected void drawString(String str, float x, float y, Font font, FontRenderContext frc, float w) { if (str.length() == 0) { return; } /* If the Font has layout attributes we need to delegate to TextLayout. * TextLayout renders text as GlyphVectors. We try to print those * using printer fonts - ie using Postscript text operators so * we may be reinvoked. In that case the "!printingGlyphVector" test * prevents us recursing and instead sends us into the body of the * method where we can safely ignore layout attributes as those * are already handled by TextLayout. */ if (font.hasLayoutAttributes() && !printingGlyphVector) { TextLayout layout = new TextLayout(str, font, frc); layout.draw(this, x, y); return; } Font oldFont = getFont(); if (!oldFont.equals(font)) { setFont(font); } else { oldFont = null; } boolean drawnWithPS = false; float translateX = 0f, translateY = 0f; boolean fontisTransformed = getFont().isTransformed(); if (fontisTransformed) { AffineTransform fontTx = getFont().getTransform(); int transformType = fontTx.getType(); /* TYPE_TRANSLATION is a flag bit but we can do "==" here * because we want to detect when its just that bit set and * */ if (transformType == AffineTransform.TYPE_TRANSLATION) { translateX = (float) (fontTx.getTranslateX()); translateY = (float) (fontTx.getTranslateY()); if (Math.abs(translateX) < 0.00001) { translateX = 0f; } if (Math.abs(translateY) < 0.00001) { translateY = 0f; } fontisTransformed = false; } } boolean directToPS = !fontisTransformed; if (!PSPrinterJob.shapeTextProp && directToPS) { PSPrinterJob psPrinterJob = (PSPrinterJob) getPrinterJob(); if (psPrinterJob.setFont(getFont())) { /* Set the text color. * We should not be in this shape printing path * if the application is drawing with non-solid * colors. We should be in the raster path. Because * we are here in the shape path, the cast of the * paint to a Color should be fine. */ try { psPrinterJob.setColor((Color) getPaint()); } catch (ClassCastException e) { if (oldFont != null) { setFont(oldFont); } throw new IllegalArgumentException("Expected a Color instance"); } psPrinterJob.setTransform(getTransform()); psPrinterJob.setClip(getClip()); drawnWithPS = psPrinterJob.textOut(this, str, x + translateX, y + translateY, font, frc, w); } } /* The text could not be converted directly to PS text * calls so decompose the text into a shape. */ if (drawnWithPS == false) { if (oldFont != null) { setFont(oldFont); oldFont = null; } super.drawString(str, x, y, font, frc, w); } if (oldFont != null) { setFont(oldFont); } } /** * The various <code>drawImage()</code> methods for * <code>WPathGraphics</code> are all decomposed * into an invocation of <code>drawImageToPlatform</code>. * The portion of the passed in image defined by * <code>srcX, srcY, srcWidth, and srcHeight</code> * is transformed by the supplied AffineTransform and * drawn using PS to the printer context. * * @param img The image to be drawn. * This method does nothing if <code>img</code> is null. * @param xform Used to transform the image before drawing. * This can be null. * @param bgcolor This color is drawn where the image has transparent * pixels. If this parameter is null then the * pixels already in the destination should show * through. * @param srcX With srcY this defines the upper-left corner * of the portion of the image to be drawn. * @param srcY With srcX this defines the upper-left corner * of the portion of the image to be drawn. * @param srcWidth The width of the portion of the image to * be drawn. * @param srcHeight The height of the portion of the image to * be drawn. * @param handlingTransparency if being recursively called to * print opaque region of transparent image */ protected boolean drawImageToPlatform(Image image, AffineTransform xform, Color bgcolor, int srcX, int srcY, int srcWidth, int srcHeight, boolean handlingTransparency) { BufferedImage img = getBufferedImage(image); if (img == null) { return true; } PSPrinterJob psPrinterJob = (PSPrinterJob) getPrinterJob(); /* The full transform to be applied to the image is the * caller's transform concatenated on to the transform * from user space to device space. If the caller didn't * supply a transform then we just act as if they passed * in the identify transform. */ AffineTransform fullTransform = getTransform(); if (xform == null) { xform = new AffineTransform(); } fullTransform.concatenate(xform); /* Split the full transform into a pair of * transforms. The first transform holds effects * such as rotation and shearing. The second transform * is setup to hold only the scaling effects. * These transforms are created such that a point, * p, in user space, when transformed by 'fullTransform' * lands in the same place as when it is transformed * by 'rotTransform' and then 'scaleTransform'. * * The entire image transformation is not in Java in order * to minimize the amount of memory needed in the VM. By * dividing the transform in two, we rotate and shear * the source image in its own space and only go to * the, usually, larger, device space when we ask * PostScript to perform the final scaling. */ double[] fullMatrix = new double[6]; fullTransform.getMatrix(fullMatrix); /* Calculate the amount of scaling in the x * and y directions. This scaling is computed by * transforming a unit vector along each axis * and computing the resulting magnitude. * The computed values 'scaleX' and 'scaleY' * represent the amount of scaling PS will be asked * to perform. * Clamp this to the device scale for better quality printing. */ Point2D.Float unitVectorX = new Point2D.Float(1, 0); Point2D.Float unitVectorY = new Point2D.Float(0, 1); fullTransform.deltaTransform(unitVectorX, unitVectorX); fullTransform.deltaTransform(unitVectorY, unitVectorY); Point2D.Float origin = new Point2D.Float(0, 0); double scaleX = unitVectorX.distance(origin); double scaleY = unitVectorY.distance(origin); double devResX = psPrinterJob.getXRes(); double devResY = psPrinterJob.getYRes(); double devScaleX = devResX / DEFAULT_USER_RES; double devScaleY = devResY / DEFAULT_USER_RES; /* check if rotated or sheared */ int transformType = fullTransform.getType(); boolean clampScale = ( (transformType & (AffineTransform.TYPE_GENERAL_ROTATION | AffineTransform.TYPE_GENERAL_TRANSFORM)) != 0); if (clampScale) { if (scaleX > devScaleX) { scaleX = devScaleX; } if (scaleY > devScaleY) { scaleY = devScaleY; } } /* We do not need to draw anything if either scaling * factor is zero. */ if (scaleX != 0 && scaleY != 0) { /* Here's the transformation we will do with Java2D, */ AffineTransform rotTransform = new AffineTransform(fullMatrix[0] / scaleX, //m00 fullMatrix[1] / scaleY, //m10 fullMatrix[2] / scaleX, //m01 fullMatrix[3] / scaleY, //m11 fullMatrix[4] / scaleX, //m02 fullMatrix[5] / scaleY); //m12 /* The scale transform is not used directly: we instead * directly multiply by scaleX and scaleY. * * Conceptually here is what the scaleTransform is: * * AffineTransform scaleTransform = new AffineTransform( * scaleX, //m00 * 0, //m10 * 0, //m01 * scaleY, //m11 * 0, //m02 * 0); //m12 */ /* Convert the image source's rectangle into the rotated * and sheared space. Once there, we calculate a rectangle * that encloses the resulting shape. It is this rectangle * which defines the size of the BufferedImage we need to * create to hold the transformed image. */ Rectangle2D.Float srcRect = new Rectangle2D.Float(srcX, srcY, srcWidth, srcHeight); Shape rotShape = rotTransform.createTransformedShape(srcRect); Rectangle2D rotBounds = rotShape.getBounds2D(); /* add a fudge factor as some fp precision problems have * been observed which caused pixels to be rounded down and * out of the image. */ rotBounds.setRect(rotBounds.getX(), rotBounds.getY(), rotBounds.getWidth() + 0.001, rotBounds.getHeight() + 0.001); int boundsWidth = (int) rotBounds.getWidth(); int boundsHeight = (int) rotBounds.getHeight(); if (boundsWidth > 0 && boundsHeight > 0) { /* If the image has transparent or semi-transparent * pixels then we'll have the application re-render * the portion of the page covered by the image. * This will be done in a later call to print using the * saved graphics state. * However several special cases can be handled otherwise: * - bitmask transparency with a solid background colour * - images which have transparency color models but no * transparent pixels * - images with bitmask transparency and an IndexColorModel * (the common transparent GIF case) can be handled by * rendering just the opaque pixels. */ boolean drawOpaque = true; if (!handlingTransparency && hasTransparentPixels(img)) { drawOpaque = false; if (isBitmaskTransparency(img)) { if (bgcolor == null) { if (drawBitmaskImage(img, xform, bgcolor, srcX, srcY, srcWidth, srcHeight)) { // image drawn, just return. return true; } } else if (bgcolor.getTransparency() == Transparency.OPAQUE) { drawOpaque = true; } } if (!canDoRedraws()) { drawOpaque = true; } } else { // if there's no transparent pixels there's no need // for a background colour. This can avoid edge artifacts // in rotation cases. bgcolor = null; } // if src region extends beyond the image, the "opaque" path // may blit b/g colour (including white) where it shoudn't. if ((srcX + srcWidth > img.getWidth(null) || srcY + srcHeight > img.getHeight(null)) && canDoRedraws()) { drawOpaque = false; } if (drawOpaque == false) { fullTransform.getMatrix(fullMatrix); AffineTransform tx = new AffineTransform(fullMatrix[0] / devScaleX, //m00 fullMatrix[1] / devScaleY, //m10 fullMatrix[2] / devScaleX, //m01 fullMatrix[3] / devScaleY, //m11 fullMatrix[4] / devScaleX, //m02 fullMatrix[5] / devScaleY); //m12 Rectangle2D.Float rect = new Rectangle2D.Float(srcX, srcY, srcWidth, srcHeight); Shape shape = fullTransform.createTransformedShape(rect); // Region isn't user space because its potentially // been rotated for landscape. Rectangle2D region = shape.getBounds2D(); region.setRect(region.getX(), region.getY(), region.getWidth() + 0.001, region.getHeight() + 0.001); // Try to limit the amount of memory used to 8Mb, so // if at device resolution this exceeds a certain // image size then scale down the region to fit in // that memory, but never to less than 72 dpi. int w = (int) region.getWidth(); int h = (int) region.getHeight(); int nbytes = w * h * 3; int maxBytes = 8 * 1024 * 1024; double origDpi = (devResX < devResY) ? devResX : devResY; int dpi = (int) origDpi; double scaleFactor = 1; double maxSFX = w / (double) boundsWidth; double maxSFY = h / (double) boundsHeight; double maxSF = (maxSFX > maxSFY) ? maxSFY : maxSFX; int minDpi = (int) (dpi / maxSF); if (minDpi < DEFAULT_USER_RES) { minDpi = DEFAULT_USER_RES; } while (nbytes > maxBytes && dpi > minDpi) { scaleFactor *= 2; dpi /= 2; nbytes /= 4; } if (dpi < minDpi) { scaleFactor = (origDpi / minDpi); } region.setRect(region.getX() / scaleFactor, region.getY() / scaleFactor, region.getWidth() / scaleFactor, region.getHeight() / scaleFactor); /* * We need to have the clip as part of the saved state, * either directly, or all the components that are * needed to reconstitute it (image source area, * image transform and current graphics transform). * The clip is described in user space, so we need to * save the current graphics transform anyway so just * save these two. */ psPrinterJob.saveState(getTransform(), getClip(), region, scaleFactor, scaleFactor); return true; /* The image can be rendered directly by PS so we * copy it into a BufferedImage (this takes care of * ColorSpace and BufferedImageOp issues) and then * send that to PS. */ } else { /* Create a buffered image big enough to hold the portion * of the source image being printed. */ BufferedImage deepImage = new BufferedImage((int) rotBounds.getWidth(), (int) rotBounds.getHeight(), BufferedImage.TYPE_3BYTE_BGR); /* Setup a Graphics2D on to the BufferedImage so that the * source image when copied, lands within the image buffer. */ Graphics2D imageGraphics = deepImage.createGraphics(); imageGraphics.clipRect(0, 0, deepImage.getWidth(), deepImage.getHeight()); imageGraphics.translate(-rotBounds.getX(), -rotBounds.getY()); imageGraphics.transform(rotTransform); /* Fill the BufferedImage either with the caller supplied * color, 'bgColor' or, if null, with white. */ if (bgcolor == null) { bgcolor = Color.white; } /* REMIND: no need to use scaling here. */ imageGraphics .drawImage(img, srcX, srcY, srcX + srcWidth, srcY + srcHeight, srcX, srcY, srcX + srcWidth, srcY + srcHeight, bgcolor, null); /* In PSPrinterJob images are printed in device space * and therefore we need to set a device space clip. * FIX: this is an overly tight coupling of these * two classes. * The temporary clip set needs to be an intersection * with the previous user clip. * REMIND: two xfms may lose accuracy in clip path. */ Shape holdClip = getClip(); Shape oldClip = getTransform().createTransformedShape(holdClip); AffineTransform sat = AffineTransform.getScaleInstance(scaleX, scaleY); Shape imgClip = sat.createTransformedShape(rotShape); Area imgArea = new Area(imgClip); Area oldArea = new Area(oldClip); imgArea.intersect(oldArea); psPrinterJob.setClip(imgArea); /* Scale the bounding rectangle by the scale transform. * Because the scaling transform has only x and y * scaling components it is equivalent to multiply * the x components of the bounding rectangle by * the x scaling factor and to multiply the y components * by the y scaling factor. */ Rectangle2D.Float scaledBounds = new Rectangle2D.Float((float) (rotBounds.getX() * scaleX), (float) (rotBounds.getY() * scaleY), (float) (rotBounds.getWidth() * scaleX), (float) (rotBounds.getHeight() * scaleY)); /* Pull the raster data from the buffered image * and pass it along to PS. */ ByteComponentRaster tile = (ByteComponentRaster) deepImage.getRaster(); psPrinterJob.drawImageBGR(tile.getDataStorage(), scaledBounds.x, scaledBounds.y, (float) Math.rint(scaledBounds.width + 0.5), (float) Math.rint(scaledBounds.height + 0.5), 0f, 0f, deepImage.getWidth(), deepImage.getHeight(), deepImage.getWidth(), deepImage.getHeight()); /* Reset the device clip to match user clip */ psPrinterJob.setClip(getTransform().createTransformedShape(holdClip)); imageGraphics.dispose(); } } } return true; } /** * Redraw a rectanglular area using a proxy graphics * To do this we need to know the rectangular area to redraw and * the transform & clip in effect at the time of the original drawImage */ public void redrawRegion(Rectangle2D region, double scaleX, double scaleY, Shape savedClip, AffineTransform savedTransform) throws PrinterException { PSPrinterJob psPrinterJob = (PSPrinterJob) getPrinterJob(); Printable painter = getPrintable(); PageFormat pageFormat = getPageFormat(); int pageIndex = getPageIndex(); /* Create a buffered image big enough to hold the portion * of the source image being printed. */ BufferedImage deepImage = new BufferedImage((int) region.getWidth(), (int) region.getHeight(), BufferedImage.TYPE_3BYTE_BGR); /* Get a graphics for the application to render into. * We initialize the buffer to white in order to * match the paper and then we shift the BufferedImage * so that it covers the area on the page where the * caller's Image will be drawn. */ Graphics2D g = deepImage.createGraphics(); ProxyGraphics2D proxy = new ProxyGraphics2D(g, psPrinterJob); proxy.setColor(Color.white); proxy.fillRect(0, 0, deepImage.getWidth(), deepImage.getHeight()); proxy.clipRect(0, 0, deepImage.getWidth(), deepImage.getHeight()); proxy.translate(-region.getX(), -region.getY()); /* Calculate the resolution of the source image. */ float sourceResX = (float) (psPrinterJob.getXRes() / scaleX); float sourceResY = (float) (psPrinterJob.getYRes() / scaleY); /* The application expects to see user space at 72 dpi. * so change user space from image source resolution to * 72 dpi. */ proxy.scale(sourceResX / DEFAULT_USER_RES, sourceResY / DEFAULT_USER_RES); proxy.translate( -psPrinterJob.getPhysicalPrintableX(pageFormat.getPaper()) / psPrinterJob.getXRes() * DEFAULT_USER_RES, -psPrinterJob.getPhysicalPrintableY(pageFormat.getPaper()) / psPrinterJob.getYRes() * DEFAULT_USER_RES); /* NB User space now has to be at 72 dpi for this calc to be correct */ proxy.transform(new AffineTransform(getPageFormat().getMatrix())); proxy.setPaint(Color.black); painter.print(proxy, pageFormat, pageIndex); g.dispose(); /* In PSPrinterJob images are printed in device space * and therefore we need to set a device space clip. */ psPrinterJob.setClip(savedTransform.createTransformedShape(savedClip)); /* Scale the bounding rectangle by the scale transform. * Because the scaling transform has only x and y * scaling components it is equivalent to multiply * the x components of the bounding rectangle by * the x scaling factor and to multiply the y components * by the y scaling factor. */ Rectangle2D.Float scaledBounds = new Rectangle2D.Float((float) (region.getX() * scaleX), (float) (region.getY() * scaleY), (float) (region.getWidth() * scaleX), (float) (region.getHeight() * scaleY)); /* Pull the raster data from the buffered image * and pass it along to PS. */ ByteComponentRaster tile = (ByteComponentRaster) deepImage.getRaster(); psPrinterJob.drawImageBGR(tile.getDataStorage(), scaledBounds.x, scaledBounds.y, scaledBounds.width, scaledBounds.height, 0f, 0f, deepImage.getWidth(), deepImage.getHeight(), deepImage.getWidth(), deepImage.getHeight()); } /* * Fill the path defined by <code>pathIter</code> * with the specified color. * The path is provided in current user space. */ protected void deviceFill(PathIterator pathIter, Color color) { PSPrinterJob psPrinterJob = (PSPrinterJob) getPrinterJob(); psPrinterJob.deviceFill(pathIter, color, getTransform(), getClip()); } /* * Draw the bounding rectangle using path by calling draw() * function and passing a rectangle shape. */ protected void deviceFrameRect(int x, int y, int width, int height, Color color) { draw(new Rectangle2D.Float(x, y, width, height)); } /* * Draw a line using path by calling draw() function and passing * a line shape. */ protected void deviceDrawLine(int xBegin, int yBegin, int xEnd, int yEnd, Color color) { draw(new Line2D.Float(xBegin, yBegin, xEnd, yEnd)); } /* * Fill the rectangle with the specified color by calling fill(). */ protected void deviceFillRect(int x, int y, int width, int height, Color color) { fill(new Rectangle2D.Float(x, y, width, height)); } /* * This method should not be invoked by PSPathGraphics. * FIX: Rework PathGraphics so that this method is * not an abstract method there. */ protected void deviceClip(PathIterator pathIter) { } }
2b3256437046894cb79bdb2b007bf388e0020e1c
b6c2fd713d6ce49c694f36b4a06df43817ddab06
/src/twopointers/MinimizeTheAbsoluteDifference.java
06a04136d06393217177a308161511e738a1dc22
[]
no_license
fakemonk1/DataStructures-And-Algorithms-IB
bfebd4a7b54f5685bc82dd06978a5cde917e6108
44a4f2c0fbbbb7f076235f2619a6bf5ae21bc0af
refs/heads/master
2021-09-08T02:00:17.257260
2018-03-05T20:01:12
2018-03-05T20:01:12
82,979,104
2
6
null
null
null
null
UTF-8
Java
false
false
2,024
java
package twopointers; import java.util.ArrayList; import java.util.Arrays; import java.util.List; /** * https://www.interviewbit.com/problems/minimize-the-absolute-difference/ * * Given three sorted arrays A, B and Cof not necessarily same sizes. Calculate the minimum absolute difference between the maximum and minimum number from the triplet a, b, c such that a, b, c belongs arrays A, B, C respectively. i.e. minimize | max(a,b,c) - min(a,b,c) |. Example : Input: A : [ 1, 4, 5, 8, 10 ] B : [ 6, 9, 15 ] C : [ 2, 3, 6, 6 ] Output: 1 Explanation: We get the minimum difference for a=5, b=6, c=6 as | max(a,b,c) - min(a,b,c) | = |6-5| = 1. */ public class MinimizeTheAbsoluteDifference { public int solve(ArrayList<Integer> A, ArrayList<Integer> B, ArrayList<Integer> C) { int minAbsDiff = Integer.MAX_VALUE; if (A == null || B == null || C == null || A.isEmpty() || B.isEmpty() || C.isEmpty()) { return minAbsDiff; } int i = 0; int j = 0; int k = 0; // Initialize result //int res_i =0, res_j = 0, res_k = 0; while (i < A.size() && j < B.size() && k < C.size()) { int minimum = Math.min(C.get(k), Math.min(A.get(i), B.get(j))); int maximum = Math.max(C.get(k), Math.max(A.get(i), B.get(j))); minAbsDiff = Math.min(minAbsDiff, Math.abs(minimum - maximum)); if (minAbsDiff == 0) { break; } else if (minimum == A.get(i)) { i++; } else if (minimum == B.get(j)) { j++; } else if (minimum == C.get(k)) { k++; } } return minAbsDiff; } public static void main(String[] args) { List<Integer> A = Arrays.asList(1, 4, 5, 8, 10); List<Integer> B = Arrays.asList(6, 9, 15); List<Integer> C = Arrays.asList( 2, 3, 6, 6); //System.out.println(new MinimizeTheAbsoluteDifference().solve(A, B, C)); } }
79f2597a0c48b4af428002fefc92c3dbaebdb141
2144ffab95f8a61aeaaa6eebabd306c3e1576986
/Ak/src/DesTree.java
cb6ed821d57b63fc299af6151c148f61c3e6a70f
[]
no_license
AntonioReyesE/Aki
a8acec274c82ad7029a480fa8493731aedbf935d
28502334ba0455d2c79f8e007e7038f6073db9fb
refs/heads/master
2021-01-10T20:50:25.365418
2013-11-04T16:55:44
2013-11-04T16:55:44
14,114,988
1
0
null
null
null
null
UTF-8
Java
false
false
3,071
java
import java.io.BufferedReader; import java.io.FileReader; import java.io.IOException; import java.util.StringTokenizer; public class DesTree <E extends Comparable<E>> { @Override public String toString() { return root.toString().substring(1); } private NodoDes<E> root; public NodoDes<E> getRoot() { return root; } public void setRoot(NodoDes<E> root) { this.root = root; } public DesTree() { this.root = null; } public DesTree(NodoDes<E> root) { super(); this.root = root; } ////////////---------------Insertar en el arbol------------------/////////// public boolean insertD(String dato, String camino){ NodoDes<E> parent = this.root; NodoDes<E> current = parent; NodoDes<E> nuevo = new NodoDes<E>(dato, camino); int i = 0; boolean lado = false; if(this.root == null){ this.root = nuevo; return true; } while(current != null){ while(i < camino.length()){ parent = current; if(camino.charAt(i) == '-'){ if(current.getNo() == null){ parent.setNo(nuevo); return true; } else{ current = current.getNo(); lado = false; } } else{ if(current.getYes() == null){ parent.setYes(nuevo); return true; } else{ current = current.getYes(); lado = true; } } i++; } } if(!lado){ parent.setNo(nuevo); } else{ parent.setYes(nuevo); } return true; } ///////////---------------Construye el arbol a partir de un archivo de texto-------//// public void lector(String archivo){ try{ FileReader a = new FileReader(archivo); BufferedReader lector = new BufferedReader(a); String line; String frase; String camino; String ref; while((line = lector.readLine()) != null){ StringTokenizer st = new StringTokenizer(line, ","); while(st.hasMoreTokens()){ frase = st.nextToken(); StringTokenizer st2 = new StringTokenizer(frase, "@"); while(st2.hasMoreTokens()){ camino = st2.nextToken(); ref = st2.nextToken(); this.insertD(ref, camino); //System.out.println(ref); //System.out.println(camino); } } } lector.close(); } catch(IOException e){ e.printStackTrace(); } } ////////////------------Agrega una pregunta--------------------////////// public void addQuestion(String r, String q, NodoDes<E> a, int n){ if(n == 0){///Caso en el que no tiene hoja izquierda NodoDes<E> nuevo = new NodoDes<E>(q,a.getId()+"-"); NodoDes<E> nuevo2 = new NodoDes<E>(r,nuevo.getId()+"+"); nuevo.setYes(nuevo2); a.setNo(nuevo); } else if(n == 1){///Caso en el que no tiene hoja derecha NodoDes<E> nuevo = new NodoDes<E>(q,a.getId()+"+"); NodoDes<E> nuevo2 = new NodoDes<E>(r,nuevo.getId()+"+"); nuevo.setYes(nuevo2); a.setYes(nuevo); } else{///Caso en el que el nodo sea una hoja// NodoDes<E> nuevo = new NodoDes<E>(a.getQuestion(),a.getId()+"-"); NodoDes<E> nuevo2 = new NodoDes<E>(r,a.getId()+"+"); a.setQuestion(q); a.setNo(nuevo); a.setYes(nuevo2); } } }
8341da534e42e894fd0a059957df7a40feb00b40
5049eb5596de23b23026c8ea688f9e9714aba09b
/src/main/java/ru/job4j/oop/Triangle.java
cc044d263d45284ea47a2d6f3f5f336947eb0a11
[]
no_license
RamonOga/elementary
63b85161481d1146f8a10b2b1b6dad4f3aae0b15
7c639907eb7c399410068dfa49648641258d8436
refs/heads/master
2023-01-11T21:29:02.546501
2020-11-14T08:14:55
2020-11-14T08:14:55
305,797,182
0
0
null
2020-11-14T08:15:41
2020-10-20T18:20:57
Java
UTF-8
Java
false
false
846
java
package ru.job4j.oop; public class Triangle { private Point first; private Point second; private Point third; public Triangle(Point ap, Point bp, Point cp) { this.first = ap; this.second = bp; this.third = cp; } public double period(double a, double b, double c) { return (a + b + c) / 2; } public boolean exist(double ab, double ac, double bc) { return ab + ac > bc && ac + bc > ab && ab + bc > ac; } public double area() { double rsl = -1; double ab = first.distance(second); double ac = first.distance(third); double bc = second.distance(third); double p = period(ab, ac, bc); if (this.exist(ab, ac, bc)) { rsl = Math.sqrt(p * (p - ab) * (p - ac) * (p - bc)); } return rsl; } }
ab20bddb3327daccccca60b168b12354b4ec396e
344bd0d784953a52a68852e72d41be5139889a4e
/src/main/java/com/yc/mapreduce/grossscore/GrossScoreDriver.java
1ec29b83de6dac4c6a9826131f6c665f094c67a4
[]
no_license
Tomcy-wcc/hadoop_study
68eeb8d294adad2286c1a16fa0990a8e9b8797a9
0f360285f1b227af6df9aa46bbb1f733c5bfab30
refs/heads/master
2022-05-12T13:33:14.447554
2019-11-22T15:40:49
2019-11-22T15:40:49
214,059,502
0
0
null
2022-04-12T21:56:13
2019-10-10T01:32:38
Java
UTF-8
Java
false
false
1,310
java
package com.yc.mapreduce.grossscore; import org.apache.hadoop.conf.Configuration; import org.apache.hadoop.fs.Path; import org.apache.hadoop.io.IntWritable; import org.apache.hadoop.io.Text; import org.apache.hadoop.mapreduce.Job; import org.apache.hadoop.mapreduce.lib.input.FileInputFormat; import org.apache.hadoop.mapreduce.lib.output.FileOutputFormat; import java.io.IOException; /** * @Description * @auther wcc * @create 2019-10-11 15:28 */ public class GrossScoreDriver { public static void main(String[] args) throws IOException, ClassNotFoundException, InterruptedException { Configuration conf = new Configuration(); Job job = Job.getInstance(conf, "JobName"); job.setJarByClass(GrossScoreDriver.class); job.setMapperClass(GrossScoreMap.class); job.setReducerClass(GrossScoreReduce.class); job.setMapOutputKeyClass(Text.class); job.setMapOutputValueClass(IntWritable.class); job.setOutputKeyClass(Text.class); job.setOutputValueClass(IntWritable.class); FileInputFormat.setInputPaths(job, new Path("hdfs://hadoop01:9000/txt/score")); FileOutputFormat.setOutputPath(job, new Path("hdfs://hadoop01:9000/results/grossscore")); if (!job.waitForCompletion(true)) return; } }
fd3f512852ef2175b803b2fa8b37f76623bc460f
46d00cc81c48c4eec7d65ca9ba5f023034388088
/src/main/java/test/Map/Map_.java
8846d6ec538614ae89b9e50937ef788de35323dd
[]
no_license
qq563191201/test_project
42b04333174cb4eae0eebc1d216d176360e83181
b5e9b7da6c961fc871920a2a20aa06638485be9d
refs/heads/master
2020-03-17T05:18:01.849889
2018-05-14T06:02:09
2018-05-14T06:02:09
133,310,503
0
0
null
null
null
null
UTF-8
Java
false
false
3,141
java
package test.Map; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.Iterator; import java.util.List; import java.util.Map; import java.util.Map.Entry; import test.Map.model.MapModel; import test.Map.model.MapModel.Datas; public class Map_ { public static void main(String[] args) { Iteration();//迭代 // Map<String, Integer> map = new HashMap<String, Integer>(); // map.put("d", 2); // map.put("c", 1); // map.put("b", 1); // map.put("a", 3); // List<Map.Entry<String, Integer>> infoIds = // new ArrayList<Map.Entry<String, Integer>>(map.entrySet()); // sort(infoIds); } /** * 性能测试 */ /** * Map 方法迭代 */ public static void Iteration(){ Map<String,String> map=new HashMap<String,String>(); map.put("1", "张三"); map.put("2", "李四"); map.put("3", "王五"); map.put("4", "王五1"); map.put("5", "王五2"); /*方法一 :迭代程序*/ System.out.println("方法一:"); Iterator iterator=map.entrySet().iterator(); while(iterator.hasNext()){ Map.Entry<String, String> entry= (Entry<String, String>) iterator.next(); System.out.println("key:"+entry.getKey()+" value"+entry.getValue()); } /*方法二*/ System.out.println("方法二:"); for (Map.Entry<String, String> m : map.entrySet()) { System.out.println("key:"+m.getKey()+" value"+m.getValue()); } } public static void sort(List<Map.Entry<String, Integer>> infoIds){ Collections.sort(infoIds, new Comparator<Map.Entry<String, Integer>>() { public int compare(Map.Entry<String, Integer> o1, Map.Entry<String, Integer> o2) { return (o2.getValue() - o1.getValue()); //vlaue排序 // return (o1.getKey()).toString().compareTo(o2.getKey());//key排序 } }); //排序后 for (int i = 0; i < infoIds.size(); i++) { String id = infoIds.get(i).toString(); System.out.println(id); } } private static MapModel setModel(){ MapModel model = MapModel.FactoryMapModel(); List<Datas> list = new ArrayList<Datas>(); Datas one = MapModel.FactoryDatas(); one.setId("1001"); one.setName("北京"); one.setPinying("beijing"); one.setTime("2014-08-06 10:00:00"); list.add(one); one.setId("1002"); one.setName("重庆"); one.setPinying("chongqing"); one.setTime("2014-08-05 10:00:00"); list.add(one); one.setId("1003"); one.setName("南京"); one.setPinying("nanjing"); one.setTime("2014-08-03 10:00:00"); list.add(one); one.setId("10007"); one.setName("天津"); one.setPinying("tianjin"); one.setTime("2014-08-04 10:00:00"); list.add(one); return model; } }
75b9ea5027e74fea3bb3d9753757d12f84d73c1c
b8f2b5c013bb1bfbba9d67b9cdb5177987a7a6d3
/ch05/simple-throws-advice/src/main/java/ch5/SimpleThrowsAdvice.java
4d2d00d9b9749bcb6bc64fa4f870d5474e55fb26
[]
no_license
Jzzzin/spring5-study
526b2dc0472f4952f90d39d89ebbf2b7a43f4b05
0696251d8685a65b45b958884061b069469d5937
refs/heads/master
2022-12-14T12:15:02.725253
2020-06-09T05:03:57
2020-06-09T05:03:58
291,683,931
0
0
null
null
null
null
UTF-8
Java
false
false
1,372
java
package ch5; import org.springframework.aop.ThrowsAdvice; import org.springframework.aop.framework.ProxyFactory; import java.lang.reflect.Method; public class SimpleThrowsAdvice implements ThrowsAdvice { public static void main(String... args) throws Exception { ErrorBean errorBean = new ErrorBean(); ProxyFactory pf = new ProxyFactory(); pf.setTarget(errorBean); pf.addAdvice(new SimpleThrowsAdvice()); ErrorBean proxy = (ErrorBean) pf.getProxy(); try { proxy.errorProneMethod(); } catch (Exception ignored) { } try { proxy.otherErrorProneMethod(); } catch (Exception ignored) { } } public void afterThrowing(Exception ex) throws Throwable { System.out.println("***"); System.out.println("Generic Exception Capture"); System.out.println("Caught: " + ex.getClass().getName()); System.out.println("***\n"); } public void afterThrowing(Method method, Object[] args, Object target, IllegalArgumentException ex) throws Throwable { System.out.println("***"); System.out.println("IllegalArgumentException Capture"); System.out.println("Caught: " + ex.getClass().getName()); System.out.println("Method: " + method.getName()); System.out.println("***\n"); } }
ee1b7904fdf65cdd830f06a7c91559a0550d048b
9b0cf9866d1efda40d3eeb38aca7a88e948c0777
/src/main/java/com/zsoft/domain/PersistentToken.java
74f542172bf4310625e135a8d65cdb827cd514b4
[]
no_license
REBBOUH/sputnik
b69211996460d453bceb3c6df056eb5ceead14ac
d288bf9ef712b1485c9f888b22c17e413894af89
refs/heads/master
2021-03-27T19:55:03.198724
2017-03-21T08:53:45
2017-03-21T08:53:45
81,971,731
0
0
null
null
null
null
UTF-8
Java
false
false
2,967
java
package com.zsoft.domain; import com.fasterxml.jackson.annotation.JsonIgnore; import java.time.LocalDate; import org.springframework.data.annotation.Id; import org.springframework.data.mongodb.core.mapping.DBRef; import org.springframework.data.mongodb.core.mapping.Document; import javax.validation.constraints.NotNull; import javax.validation.constraints.Size; import java.io.Serializable; /** * Persistent tokens are used by Spring Security to automatically log in users. * * @see com.zsoft.security.PersistentTokenRememberMeServices */ @Document(collection = "jhi_persistent_token") public class PersistentToken implements Serializable { private static final long serialVersionUID = 1L; private static final int MAX_USER_AGENT_LEN = 255; @Id private String series; @JsonIgnore @NotNull private String tokenValue; private LocalDate tokenDate; //an IPV6 address max length is 39 characters @Size(min = 0, max = 39) private String ipAddress; private String userAgent; @JsonIgnore @DBRef private User user; public String getSeries() { return series; } public void setSeries(String series) { this.series = series; } public String getTokenValue() { return tokenValue; } public void setTokenValue(String tokenValue) { this.tokenValue = tokenValue; } public LocalDate getTokenDate() { return tokenDate; } public void setTokenDate(LocalDate tokenDate) { this.tokenDate = tokenDate; } public String getIpAddress() { return ipAddress; } public void setIpAddress(String ipAddress) { this.ipAddress = ipAddress; } public String getUserAgent() { return userAgent; } public void setUserAgent(String userAgent) { if (userAgent.length() >= MAX_USER_AGENT_LEN) { this.userAgent = userAgent.substring(0, MAX_USER_AGENT_LEN - 1); } else { this.userAgent = userAgent; } } public User getUser() { return user; } public void setUser(User user) { this.user = user; } @Override public boolean equals(Object o) { if (this == o) { return true; } if (o == null || getClass() != o.getClass()) { return false; } PersistentToken that = (PersistentToken) o; if (!series.equals(that.series)) { return false; } return true; } @Override public int hashCode() { return series.hashCode(); } @Override public String toString() { return "PersistentToken{" + "series='" + series + '\'' + ", tokenValue='" + tokenValue + '\'' + ", tokenDate=" + tokenDate + ", ipAddress='" + ipAddress + '\'' + ", userAgent='" + userAgent + '\'' + "}"; } }
225117f19a2349e2abed4c522e839c38c8b4c5c6
910091421b479ebbbb3c806d9f127e86fed6a579
/src/main/java/SpringModel/TransaksiRepository.java
9f2dbb4fe35f028a673ad4f0b9d26dc9360b6fd8
[]
no_license
arraisi/Spring-JDBC
195e75263b86da092f9427fadd37d93fe1c4e591
8e30f61996e26f5cdac92efb8f5d320aaadb2bab
refs/heads/master
2020-03-14T22:45:01.568176
2018-05-03T03:15:32
2018-05-03T03:15:32
131,828,070
0
0
null
null
null
null
UTF-8
Java
false
false
1,529
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package SpringModel; import java.math.BigDecimal; import java.sql.Timestamp; /** * * @author arrai */ public class TransaksiRepository { Integer id; Integer idTransaksi; String item; Timestamp waktu; Integer qty; BigDecimal price; public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public Integer getIdTransaksi() { return idTransaksi; } public void setIdTransaksi(Integer idTransaksi) { this.idTransaksi = idTransaksi; } public String getItem() { return item; } public void setItem(String item) { this.item = item; } public Timestamp getWaktu() { return waktu; } public void setWaktu(Timestamp waktu) { this.waktu = waktu; } public Integer getQty() { return qty; } public void setQty(Integer qty) { this.qty = qty; } public BigDecimal getPrice() { return price; } public void setPrice(BigDecimal price) { this.price = price; } @Override public String toString() { return "TransaksiRepository{" + "id=" + id + ", idTransaksi=" + idTransaksi + ", item=" + item + ", waktu=" + waktu + ", qty=" + qty + ", price=" + price + '}'; } }
013d380b640ce3342858ec451cc7720730088145
4cd845301805351e9e4165619c6cc1b6ed64a998
/src/main/java/ro/fortech/mailer/repository/CampaignRepository.java
e60faada1d2dc334446be264fbad4778cabbb6fa
[]
no_license
spetrila/fortech-mailer
d6721b21f9257d3477c37a2ec2bf9845827f7343
3f0a91552cc47a360fb5bda6d84492670c8a125b
refs/heads/master
2021-01-20T01:57:45.142678
2017-04-25T11:19:29
2017-04-25T11:19:29
89,352,155
0
0
null
null
null
null
UTF-8
Java
false
false
851
java
package ro.fortech.mailer.repository; import ro.fortech.mailer.domain.Campaign; import org.springframework.data.jpa.repository.*; import org.springframework.data.repository.query.Param; import java.util.List; /** * Spring Data JPA repository for the Campaign entity. */ @SuppressWarnings("unused") public interface CampaignRepository extends JpaRepository<Campaign,Long> { @Query("select campaign from Campaign campaign where campaign.user.login = ?#{principal.username}") List<Campaign> findByUserIsCurrentUser(); @Query("select distinct campaign from Campaign campaign left join fetch campaign.tags") List<Campaign> findAllWithEagerRelationships(); @Query("select campaign from Campaign campaign left join fetch campaign.tags where campaign.id =:id") Campaign findOneWithEagerRelationships(@Param("id") Long id); }
9326ee02d494b80918d8dcd3695ece25bcadd099
34b1e4c984c9c9bf8fca8f93b13bae51f9097fef
/src/main/java/me/someonelove/matsuqueue/bukkit/MatsuQueue.java
12f029a5d0a1d265d4df56c09adf19937e8d675b
[ "WTFPL" ]
permissive
EmotionalLove/MatsuQueueBukkit
79f51dc469f525871f2b406ae3358057d5fbb6f1
9758a7e5de39050e1cb4f58bee0850db012df297
refs/heads/master
2020-06-22T04:42:59.011467
2019-07-19T04:48:15
2019-07-19T04:48:15
197,635,998
4
4
WTFPL
2023-05-07T00:24:40
2019-07-18T18:16:36
Java
UTF-8
Java
false
false
4,552
java
/* This program is free software. It comes without any warranty, to * the extent permitted by applicable law. You can redistribute it * and/or modify it under the terms of the Do What The Fuck You Want * To Public License, Version 2, as published by Sam Hocevar. See * http://www.wtfpl.net/ for more details. */ package me.someonelove.matsuqueue.bukkit; import org.bukkit.GameMode; import org.bukkit.Location; import org.bukkit.World; import org.bukkit.entity.Player; import org.bukkit.event.EventHandler; import org.bukkit.event.Listener; import org.bukkit.event.player.*; import org.bukkit.plugin.java.JavaPlugin; import java.util.logging.Level; public final class MatsuQueue extends JavaPlugin implements Listener { public boolean forceLocation = true; public String forcedWorldName = "world_the_end"; public int forcedX = 0; public int forcedY = 200; public int forcedZ = 0; public boolean hidePlayers = true; public boolean disableChat = true; public boolean restrictMovement = true; public boolean forceGamemode = true; public String forcedGamemode = "spectator"; // spectator @Override public void onEnable() { this.saveDefaultConfig(); this.forceLocation = this.getConfig().getBoolean("forceLocation"); this.forcedWorldName = this.getConfig().getString("forcedWorldName"); this.forcedX = this.getConfig().getInt("forcedX"); this.forcedY = this.getConfig().getInt("forcedY"); this.forcedZ = this.getConfig().getInt("forcedZ"); this.hidePlayers = this.getConfig().getBoolean("hidePlayers"); this.restrictMovement = this.getConfig().getBoolean("restrictMovement"); this.forceGamemode = this.getConfig().getBoolean("forceGamemode"); this.disableChat = this.getConfig().getBoolean("disableChat"); this.forcedGamemode = this.getConfig().getString("forcedGamemode"); setGameRule(); this.getServer().getPluginManager().registerEvents(this, this); } @Override public void onDisable() { // Plugin shutdown logic } @EventHandler public void onPlayerJoin(PlayerJoinEvent e) { if (isExcluded(e.getPlayer())) { e.getPlayer().sendMessage("\2476Due to your permissions, you've been excluded from the MatsuQueue movement and gamemode restrictions."); return; } if (!forceLocation) return; e.getPlayer().teleport(generateForcedLocation()); } @EventHandler public void onPlayerJoin$0(PlayerJoinEvent e) { if (!hidePlayers) return; for (Player onlinePlayer : getServer().getOnlinePlayers()) { e.getPlayer().hidePlayer(this, onlinePlayer); onlinePlayer.hidePlayer(this, e.getPlayer()); e.setJoinMessage(""); } } @EventHandler public void onPlayerQuit(PlayerQuitEvent e) { if (!hidePlayers) return; e.setQuitMessage(""); } public void setGameRule() { if (!hidePlayers) return; for (World world : this.getServer().getWorlds()) { world.setGameRuleValue("announceAdvancements", "false"); } this.getLogger().log(Level.INFO, "Gamerule announceAdvancements was set to false because hidePlayers was true."); } @EventHandler public void onPlayerJoin$1(PlayerJoinEvent e) { if (!forceGamemode) return; if (isExcluded(e.getPlayer())) return; e.getPlayer().setGameMode(GameMode.valueOf(forcedGamemode.toUpperCase())); } @EventHandler public void onPlayerSpawn(PlayerRespawnEvent e) { if (!forceLocation) return; if (isExcluded(e.getPlayer())) return; e.setRespawnLocation(generateForcedLocation()); } @EventHandler public void onChat(AsyncPlayerChatEvent e) { if (disableChat) e.setCancelled(true); } @EventHandler public void onMove(PlayerMoveEvent e) { if (!restrictMovement) return; if (isExcluded(e.getPlayer())) return; e.setCancelled(true); } private boolean isExcluded(Player player) { return (player.isOp() || player.hasPermission("matsuqueue.admin")); } private Location generateForcedLocation() { if (getServer().getWorld(forcedWorldName) == null) { this.getLogger().log(Level.SEVERE, "Invalid forcedWorldName!! Check the configuration."); return null; } return new Location(getServer().getWorld(forcedWorldName), forcedX, forcedY, forcedZ); } }
35fe4a92051ac5fed6db81e044b646b3b3904ee3
0002d3ca206a322feb5255614eb0a70e88338aa4
/app/src/main/java/tests/em_projects/com/mytestapplication/notifications/NewTwoLinesNotificationViewService.java
161ca72bb72d052a6afd0df23ff2d1974eb38103
[]
no_license
eyalmnm/MyTestApplication
0c03381b6b8e0bee000414e7886de6e82086c0bf
a42409c9eccc24c4c2e97aaee76adc15d11bcead
refs/heads/master
2020-05-24T06:43:33.514772
2020-04-14T15:57:07
2020-04-14T15:57:07
84,832,092
0
0
null
null
null
null
UTF-8
Java
false
false
4,910
java
package tests.em_projects.com.mytestapplication.notifications; import android.annotation.TargetApi; import android.app.Service; import android.content.ClipData; import android.content.ClipDescription; import android.content.Intent; import android.graphics.PixelFormat; import android.os.Build; import android.os.IBinder; import android.util.Log; import android.view.DragEvent; import android.view.Gravity; import android.view.MotionEvent; import android.view.View; import android.view.WindowManager; import android.widget.RelativeLayout; /** * Created by USER on 04/06/2017. */ // @Ref: https://stackoverflow.com/questions/31308750/dragging-an-imagview-to-certain-position public class NewTwoLinesNotificationViewService extends Service { private WindowManager windowManager; private NewTwoLinesNotificationView notView; private WindowManager.LayoutParams params; private int cor_x = 0; private int cor_y = 0; @Override public IBinder onBind(Intent intent) { // TODO: Return the communication channel to the service. throw new UnsupportedOperationException("Not yet implemented"); } @TargetApi(Build.VERSION_CODES.HONEYCOMB) @Override public void onCreate() { super.onCreate(); Log.d("", "created"); windowManager = (WindowManager) getSystemService(WINDOW_SERVICE); RelativeLayout container = new RelativeLayout(this); params = new WindowManager.LayoutParams( WindowManager.LayoutParams.MATCH_PARENT, WindowManager.LayoutParams.MATCH_PARENT, WindowManager.LayoutParams.TYPE_PHONE, WindowManager.LayoutParams.FLAG_NOT_FOCUSABLE, PixelFormat.TRANSLUCENT); notView = new NewTwoLinesNotificationView(this); notView.setTag("notView"); RelativeLayout.LayoutParams chatHeadParams = new RelativeLayout.LayoutParams(RelativeLayout.LayoutParams.WRAP_CONTENT, RelativeLayout.LayoutParams.WRAP_CONTENT); chatHeadParams.addRule(Gravity.TOP | Gravity.LEFT); chatHeadParams.leftMargin = 300; chatHeadParams.topMargin = 300; container.addView(notView, chatHeadParams); windowManager.addView(container, params); container.setOnLongClickListener(new View.OnLongClickListener() { @Override public boolean onLongClick(View v) { ClipData.Item item = new ClipData.Item(v.getTag().toString()); String[] mimeTypes = {ClipDescription.MIMETYPE_TEXT_PLAIN}; ClipData dragData = new ClipData(v.getTag().toString(), mimeTypes, item); // View.DragShadowBuilder myShadow = new MyDragShadowBuilder(notView); // Starts the drag // v.startDrag(dragData, // the data to be dragged // myShadow, // the drag shadow builder // null, // no need to use local data // 0 // flags (not currently used, set to 0) // ); return false; } }); notView.setOnDragListener(new View.OnDragListener() { @Override public boolean onDrag(View v, DragEvent event) { //cor_x = ((int) chatHead.getX()); //cor_y = ((int) chatHead.getY()); switch (event.getAction()) { case DragEvent.ACTION_DRAG_ENTERED: { Log.d("", "x:" + event.getX() + "y:" + event.getY()); break; } case DragEvent.ACTION_DRAG_STARTED: { Log.d("", "x:" + event.getX() + " y:" + event.getY()); break; } case MotionEvent.ACTION_MOVE: { cor_x = ((int) event.getX()); cor_y = ((int) event.getX()); Log.d("", "x:" + cor_x + " y:" + cor_y); break; } case DragEvent.ACTION_DRAG_EXITED: { Log.d("", "x:" + cor_x + " y:" + cor_y); break; } case DragEvent.ACTION_DRAG_ENDED: { if (windowManager != null && params != null) { params.x = cor_x; params.y = cor_y; Log.d("", "x:" + cor_x + " y:" + cor_y); windowManager.removeView(notView); windowManager.addView(notView, params); } return false; } } return false; } }); windowManager.addView(notView, params); } }
[ "eyal.listenapp.net[credential]" ]
eyal.listenapp.net[credential]
45f6eab7da341680c7071d32b1c531e1294e7451
7f2201bdf8208cf7fe72ca2e1c17309476eef874
/source/build/generated/not_namespaced_r_class_sources/release/processReleaseResources/r/org/lamw/pascalid1/R.java
c6991b2d5a8313c4d7a1b00f96257e9518e9a532
[]
no_license
pascal-id/lazarus-for-android
50f566f4c101cea51ff04d4cf5c2d97672bad1bc
623544517bf0978a04bebbe0ef9b25e18aec7964
refs/heads/main
2023-07-09T09:46:34.513192
2021-08-08T01:45:36
2021-08-08T01:45:36
393,827,686
2
0
null
2021-08-08T01:45:36
2021-08-08T01:29:59
Java
UTF-8
Java
false
false
863,532
java
/* 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 org.lamw.pascalid1; 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 btn_checkbox_to_checked_box_inner_merged_animation=0x7f01000c; public static final int btn_checkbox_to_checked_box_outer_merged_animation=0x7f01000d; public static final int btn_checkbox_to_checked_icon_null_animation=0x7f01000e; public static final int btn_checkbox_to_unchecked_box_inner_merged_animation=0x7f01000f; public static final int btn_checkbox_to_unchecked_check_path_merged_animation=0x7f010010; public static final int btn_checkbox_to_unchecked_icon_null_animation=0x7f010011; public static final int btn_radio_to_off_mtrl_dot_group_animation=0x7f010012; public static final int btn_radio_to_off_mtrl_ring_outer_animation=0x7f010013; public static final int btn_radio_to_off_mtrl_ring_outer_path_animation=0x7f010014; public static final int btn_radio_to_on_mtrl_dot_group_animation=0x7f010015; public static final int btn_radio_to_on_mtrl_ring_outer_animation=0x7f010016; public static final int btn_radio_to_on_mtrl_ring_outer_path_animation=0x7f010017; public static final int design_bottom_sheet_slide_in=0x7f010018; public static final int design_bottom_sheet_slide_out=0x7f010019; public static final int design_snackbar_in=0x7f01001a; public static final int design_snackbar_out=0x7f01001b; } public static final class animator { public static final int design_appbar_state_list_animator=0x7f020000; public static final int design_fab_hide_motion_spec=0x7f020001; public static final int design_fab_show_motion_spec=0x7f020002; public static final int mtrl_btn_state_list_anim=0x7f020003; public static final int mtrl_btn_unelevated_state_list_anim=0x7f020004; public static final int mtrl_chip_state_list_anim=0x7f020005; public static final int mtrl_fab_hide_motion_spec=0x7f020006; public static final int mtrl_fab_show_motion_spec=0x7f020007; public static final int mtrl_fab_transformation_sheet_collapse_spec=0x7f020008; public static final int mtrl_fab_transformation_sheet_expand_spec=0x7f020009; } public static final class attr { /** * Custom divider drawable to use for elements in the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030000; /** * Custom item state list drawable background for action bar items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030001; /** * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030002; /** * Size of the Action Bar, including the contextual * bar used to present Action Modes. * <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=0x7f030003; /** * Reference to a style for the split Action Bar. This style * controls the split component that holds the menu/action * buttons. actionBarStyle is still used for the primary * bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030004; /** * Reference to a style for the Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030005; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030006; /** * Default style for tabs within an action bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030007; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030008; /** * Reference to a theme that should be used to inflate the * action bar. This will be inherited by any widget inflated * into the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030009; /** * Reference to a theme that should be used to inflate widgets * and layouts destined for the action bar. Most of the time * this will be a reference to the current theme, but when * the action bar has a significantly different contrast * profile than the rest of the activity the difference * can become important. If this is set to @null the current * theme will be used. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03000a; /** * Default action button style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03000b; /** * Default ActionBar dropdown style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03000c; /** * An optional layout to be used as an action view. * See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03000d; /** * TextAppearance style that will be applied to text that * appears within action menu items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03000e; /** * Color for text that appears within action menu items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03000f; /** * Background drawable to use for action mode UI * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030010; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030011; /** * Drawable to use for the close action mode button * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030012; /** * Drawable to use for the Copy action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030013; /** * Drawable to use for the Cut action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030014; /** * Drawable to use for the Find action button in WebView selection action modes * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030015; /** * Drawable to use for the Paste action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030016; /** * PopupWindow style to use for action modes when showing as a window overlay. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030017; /** * Drawable to use for the Select all action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030018; /** * Drawable to use for the Share action button in WebView selection action modes * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030019; /** * Background drawable to use for action mode UI in the lower split bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03001a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03001b; /** * Drawable to use for the Web Search action button in WebView selection action modes * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03001c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03001d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03001e; /** * The name of an optional ActionProvider class to instantiate an action view * and perform operations such as default action for that menu item. * See {@link android.view.MenuItem#setActionProvider(android.view.ActionProvider)} * for more info. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actionProviderClass=0x7f03001f; /** * The name of an optional View class to instantiate and use as an * action view. See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actionViewClass=0x7f030020; /** * Default ActivityChooserView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030021; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030022; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int alertDialogCenterButtons=0x7f030023; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030024; /** * Theme to use for alert dialogs spawned from this theme. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030025; /** * Whether to automatically stack the buttons when there is not * enough space to lay them out side-by-side. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int allowStacking=0x7f030026; /** * Alpha multiplier applied to the base color. * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int alpha=0x7f030027; /** * The alphabetic modifier key. This is the modifier when using a keyboard * with alphabetic keys. The values should be kept in sync with KeyEvent * <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=0x7f030028; /** * The length of the arrow head when formed to make an arrow * <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=0x7f030029; /** * The length of the shaft when formed to make an arrow * <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=0x7f03002a; /** * Default AutoCompleteTextView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03002b; /** * The maximum text size constraint to be used when auto-sizing text. * <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=0x7f03002c; /** * The minimum text size constraint to be used when auto-sizing text. * <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=0x7f03002d; /** * Resource array of dimensions to be used in conjunction with * <code>autoSizeTextType</code> set to <code>uniform</code>. Overrides * <code>autoSizeStepGranularity</code> if set. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03002e; /** * Specify the auto-size step size if <code>autoSizeTextType</code> is set to * <code>uniform</code>. The default is 1px. Overwrites * <code>autoSizePresetSizes</code> if set. * <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=0x7f03002f; /** * Specify the type of auto-size. Note that this feature is not supported by EditText, * works only for TextView. * <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>No auto-sizing (default).</td></tr> * <tr><td>uniform</td><td>1</td><td>Uniform horizontal and vertical text size scaling to fit within the * container.</td></tr> * </table> */ public static final int autoSizeTextType=0x7f030030; /** * Specifies a background drawable for the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030031; /** * Specifies a background drawable for the bottom component of a split action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030032; /** * Specifies a background drawable for a second stacked row of the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030033; /** * Tint to apply to the background. * <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=0x7f030034; /** * Blending mode used to apply the background tint. * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int backgroundTintMode=0x7f030035; /** * The length of the bars when they are parallel to each other * <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=0x7f030036; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_autoHide=0x7f030037; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_fitToContents=0x7f030038; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_hideable=0x7f030039; /** * <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=0x7f03003a; /** * <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=0x7f03003b; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int behavior_skipCollapsed=0x7f03003c; /** * <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=0x7f03003d; /** * Style for buttons without an explicit border, often used in groups. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03003e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 bottomAppBarStyle=0x7f03003f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 bottomNavigationStyle=0x7f030040; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030041; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030042; /** * <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 boxBackgroundColor=0x7f030043; /** * <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>filled</td><td>1</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>outline</td><td>2</td><td></td></tr> * </table> */ public static final int boxBackgroundMode=0x7f030044; /** * <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 boxCollapsedPaddingTop=0x7f030045; /** * <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 boxCornerRadiusBottomEnd=0x7f030046; /** * <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 boxCornerRadiusBottomStart=0x7f030047; /** * <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 boxCornerRadiusTopEnd=0x7f030048; /** * <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 boxCornerRadiusTopStart=0x7f030049; /** * <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 boxStrokeColor=0x7f03004a; /** * <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 boxStrokeWidth=0x7f03004b; /** * Style for buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03004c; /** * Style for the "negative" buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03004d; /** * Style for the "neutral" buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03004e; /** * Style for the "positive" buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03004f; /** * Style for button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030050; /** * Compat attr to load backported drawable types * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 buttonCompat=0x7f030051; /** * <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>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>center_vertical</td><td>10</td><td>Place object in the vertical center of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> */ public static final int buttonGravity=0x7f030052; /** * <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=0x7f030053; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030054; /** * Normal Button style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030055; /** * Small Button style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030056; /** * Tint to apply to the button drawable. * <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=0x7f030057; /** * Blending mode used to apply the button tint. * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int buttonTintMode=0x7f030058; /** * Background color for CardView. * <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 cardBackgroundColor=0x7f030059; /** * Corner radius for CardView. * <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 cardCornerRadius=0x7f03005a; /** * Elevation for CardView. * <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 cardElevation=0x7f03005b; /** * Maximum Elevation for CardView. * <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 cardMaxElevation=0x7f03005c; /** * Add padding to CardView on v20 and before to prevent intersections between the Card content and rounded corners. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int cardPreventCornerOverlap=0x7f03005d; /** * Add padding in API v21+ as well to have the same measurements with previous versions. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int cardUseCompatPadding=0x7f03005e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 cardViewStyle=0x7f03005f; /** * Default Checkbox style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030060; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 checkedChip=0x7f030061; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 checkedIcon=0x7f030062; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int checkedIconEnabled=0x7f030063; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int checkedIconVisible=0x7f030064; /** * Default CheckedTextView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030065; /** * <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 chipBackgroundColor=0x7f030066; /** * <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 chipCornerRadius=0x7f030067; /** * <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 chipEndPadding=0x7f030068; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 chipGroupStyle=0x7f030069; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 chipIcon=0x7f03006a; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int chipIconEnabled=0x7f03006b; /** * <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 chipIconSize=0x7f03006c; /** * <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 chipIconTint=0x7f03006d; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int chipIconVisible=0x7f03006e; /** * <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 chipMinHeight=0x7f03006f; /** * <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 chipSpacing=0x7f030070; /** * <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 chipSpacingHorizontal=0x7f030071; /** * <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 chipSpacingVertical=0x7f030072; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 chipStandaloneStyle=0x7f030073; /** * <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 chipStartPadding=0x7f030074; /** * <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 chipStrokeColor=0x7f030075; /** * <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 chipStrokeWidth=0x7f030076; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 chipStyle=0x7f030077; /** * Close button icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030078; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int closeIconEnabled=0x7f030079; /** * <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 closeIconEndPadding=0x7f03007a; /** * <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 closeIconSize=0x7f03007b; /** * <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 closeIconStartPadding=0x7f03007c; /** * <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 closeIconTint=0x7f03007d; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int closeIconVisible=0x7f03007e; /** * Specifies a layout to use for the "close" item at the starting edge. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03007f; /** * Text to set as the content description for the collapse button. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int collapseContentDescription=0x7f030080; /** * Icon drawable to use for the collapse button. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030081; /** * <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=0x7f030082; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030083; /** * The drawing color for the bars * <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=0x7f030084; /** * Bright complement to the primary branding color. By default, this is the color applied * to framework controls (via colorControlActivated). * <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=0x7f030085; /** * Default color of background imagery for floating components, ex. dialogs, popups, and cards. * <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=0x7f030086; /** * The color applied to framework buttons in their normal state. * <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=0x7f030087; /** * The color applied to framework controls in their activated (ex. checked) state. * <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=0x7f030088; /** * The color applied to framework control highlights (ex. ripples, list selectors). * <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=0x7f030089; /** * The color applied to framework controls in their normal state. * <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=0x7f03008a; /** * Color used for error states and things that need to be drawn to * the user's attention. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03008b; /** * The primary branding color for the app. By default, this is the color applied to the * action bar background. * <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=0x7f03008c; /** * Dark variant of the primary branding color. By default, this is the color applied to * the status bar (via statusBarColor) and navigation bar (via navigationBarColor). * <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=0x7f03008d; /** * <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 colorSecondary=0x7f03008e; /** * The color applied to framework switch thumbs in their normal state. * <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=0x7f03008f; /** * Commit icon shown in the query suggestion row * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030090; /** * The content description associated with the item. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int contentDescription=0x7f030091; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <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=0x7f030092; /** * Minimum inset for content views within a bar when actions from a menu * are present. Only valid for some themes and configurations. * <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=0x7f030093; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <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=0x7f030094; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <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=0x7f030095; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <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=0x7f030096; /** * Minimum inset for content views within a bar when a navigation button * is present, such as the Up button. Only valid for some themes and configurations. * <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=0x7f030097; /** * Inner padding between the edges of the Card and children of the CardView. * <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 contentPadding=0x7f030098; /** * Inner padding between the bottom edge of the Card and children of the CardView. * <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 contentPaddingBottom=0x7f030099; /** * Inner padding between the left edge of the Card and children of the CardView. * <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 contentPaddingLeft=0x7f03009a; /** * Inner padding between the right edge of the Card and children of the CardView. * <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 contentPaddingRight=0x7f03009b; /** * Inner padding between the top edge of the Card and children of the CardView. * <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 contentPaddingTop=0x7f03009c; /** * <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=0x7f03009d; /** * The background used by framework controls. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03009e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03009f; /** * <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 cornerRadius=0x7f0300a0; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int counterEnabled=0x7f0300a1; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int counterMaxLength=0x7f0300a2; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300a3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300a4; /** * Specifies a layout for custom navigation. Overrides navigationMode. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300a5; /** * Default query hint used when {@code queryHint} is undefined and * the search view's {@code SearchableInfo} does not provide a hint. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int defaultQueryHint=0x7f0300a6; /** * Preferred corner radius of dialogs. * <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 dialogCornerRadius=0x7f0300a7; /** * Preferred padding for dialog content. * <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=0x7f0300a8; /** * Theme to use for dialogs spawned from this theme. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300a9; /** * Options affecting how the action bar is displayed. * <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=0x7f0300aa; /** * Specifies the drawable used for item dividers. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300ab; /** * A drawable that may be used as a horizontal divider between visual elements. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300ac; /** * Size of padding on either end of a divider. * <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=0x7f0300ad; /** * A drawable that may be used as a vertical divider between visual elements. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300ae; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 drawableBottomCompat=0x7f0300af; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 drawableEndCompat=0x7f0300b0; /** * Compound drawables allowing the use of vector drawable when running on older versions * of the platform. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 drawableLeftCompat=0x7f0300b1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 drawableRightCompat=0x7f0300b2; /** * The total size of the drawable * <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=0x7f0300b3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 drawableStartCompat=0x7f0300b4; /** * Tint to apply to the compound (left, top, etc.) drawables. * <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 drawableTint=0x7f0300b5; /** * Blending mode used to apply the compound (left, top, etc.) drawables tint. * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int drawableTintMode=0x7f0300b6; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 drawableTopCompat=0x7f0300b7; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300b8; /** * ListPopupWindow compatibility * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300b9; /** * The preferred item height for dropdown lists. * <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=0x7f0300ba; /** * EditText background drawable. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300bb; /** * EditText text foreground color. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300bc; /** * Default EditText style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300bd; /** * Elevation for the action bar itself * <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=0x7f0300be; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int enforceMaterialTheme=0x7f0300bf; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int enforceTextAppearance=0x7f0300c0; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int errorEnabled=0x7f0300c1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300c2; /** * The drawable to show in the button for expanding the activities overflow popup. * <strong>Note:</strong> Clients would like to set this drawable * as a clue about the action the chosen activity will perform. For * example, if share activity is to be chosen the drawable should * give a clue that sharing is to be performed. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300c3; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int expanded=0x7f0300c4; /** * <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=0x7f0300c5; /** * <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=0x7f0300c6; /** * <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=0x7f0300c7; /** * <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=0x7f0300c8; /** * <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=0x7f0300c9; /** * <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=0x7f0300ca; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300cb; /** * <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>0</td><td></td></tr> * <tr><td>end</td><td>1</td><td></td></tr> * </table> */ public static final int fabAlignmentMode=0x7f0300cc; /** * <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 fabCradleMargin=0x7f0300cd; /** * <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 fabCradleRoundedCornerRadius=0x7f0300ce; /** * <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 fabCradleVerticalOffset=0x7f0300cf; /** * <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=0x7f0300d0; /** * <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=0x7f0300d1; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int fastScrollEnabled=0x7f0300d2; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300d3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300d4; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300d5; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300d6; /** * Distance from the top of the TextView to the first text baseline. If set, this * overrides the value set for paddingTop. * <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 firstBaselineToTopHeight=0x7f0300d7; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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; * <p>May be an integer value, such as "<code>100</code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</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>". * <p>May be a floating point value, such as "<code>1.2</code>". * <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 floatingActionButtonStyle=0x7f0300d8; /** * The reference to the font file to be used. This should be a file in the res/font folder * and should therefore have an R reference value. E.g. @font/myfont * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300d9; /** * The attribute for the font family. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontFamily=0x7f0300da; /** * The authority of the Font Provider to be used for the request. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderAuthority=0x7f0300db; /** * The sets of hashes for the certificates the provider should be signed with. This is * used to verify the identity of the provider, and is only required if the provider is not * part of the system image. This value may point to one list or a list of lists, where each * individual list represents one collection of signature hashes. Refer to your font provider's * documentation for these values. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300dc; /** * The strategy to be used when fetching font data from a font provider in XML layouts. * This attribute is ignored when the resource is loaded from code, as it is equivalent to the * choice of API between {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int)} (blocking) and * {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int, FontCallback, Handler)} * (async). * <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>The async font fetch works as follows. * First, check the local cache, then if the requeted font is not cached, trigger a * request the font and continue with layout inflation. Once the font fetch succeeds, the * target text view will be refreshed with the downloaded font data. The * fontProviderFetchTimeout will be ignored if async loading is specified.</td></tr> * <tr><td>blocking</td><td>0</td><td>The blocking font fetch works as follows. * First, check the local cache, then if the requested font is not cached, request the * font from the provider and wait until it is finished. You can change the length of * the timeout by modifying fontProviderFetchTimeout. If the timeout happens, the * default typeface will be used instead.</td></tr> * </table> */ public static final int fontProviderFetchStrategy=0x7f0300dd; /** * The length of the timeout during fetching. * <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>A special value for the timeout. In this case, the blocking font fetching will not * timeout and wait until a reply is received from the font provider.</td></tr> * </table> */ public static final int fontProviderFetchTimeout=0x7f0300de; /** * The package for the Font Provider to be used for the request. This is used to verify * the identity of the provider. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderPackage=0x7f0300df; /** * The query to be sent over to the provider. Refer to your font provider's documentation * on the format of this string. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderQuery=0x7f0300e0; /** * The style of the given font file. This will be used when the font is being loaded into * the font stack and will override any style information in the font's header tables. If * unspecified, the value in the font's header tables will be used. * <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=0x7f0300e1; /** * The variation settings to be applied to the font. The string should be in the following * format: "'tag1' value1, 'tag2' value2, ...". If the default variation settings should be * used, or the font used does not support variation settings, this attribute needs not be * specified. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontVariationSettings=0x7f0300e2; /** * The weight of the given font file. This will be used when the font is being loaded into * the font stack and will override any weight information in the font's header tables. Must * be a positive number, a multiple of 100, and between 100 and 900, inclusive. The most * common values are 400 for regular weight and 700 for bold weight. If unspecified, the value * in the font's header tables will be used. * <p>May be an integer value, such as "<code>100</code>". */ public static final int fontWeight=0x7f0300e3; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int foregroundInsidePadding=0x7f0300e4; /** * The max gap between the bars when they are parallel to each other * <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=0x7f0300e5; /** * Go button icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300e6; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300e7; /** * <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=0x7f0300e8; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int helperText=0x7f0300e9; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int helperTextEnabled=0x7f0300ea; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 helperTextTextAppearance=0x7f0300eb; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 hideMotionSpec=0x7f0300ec; /** * Set true to hide the action bar on a vertical nested scroll of content. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hideOnContentScroll=0x7f0300ed; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hideOnScroll=0x7f0300ee; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hintAnimationEnabled=0x7f0300ef; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hintEnabled=0x7f0300f0; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300f1; /** * Specifies a drawable to use for the 'home as up' indicator. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300f2; /** * Specifies a layout to use for the "home" section of the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300f3; /** * <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 hoveredFocusedTranslationZ=0x7f0300f4; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300f5; /** * <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 iconEndPadding=0x7f0300f6; /** * <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>start</td><td>1</td><td></td></tr> * <tr><td>textStart</td><td>2</td><td></td></tr> * </table> */ public static final int iconGravity=0x7f0300f7; /** * <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 iconPadding=0x7f0300f8; /** * <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 iconSize=0x7f0300f9; /** * <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 iconStartPadding=0x7f0300fa; /** * Tint to apply to the icon. * <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=0x7f0300fb; /** * Blending mode used to apply the icon tint. * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the icon with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the icon, but with the icon’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the icon. The icon’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the icon. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int iconTintMode=0x7f0300fc; /** * The default state of the SearchView. If true, it will be iconified when not in * use and expanded when clicked. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int iconifiedByDefault=0x7f0300fd; /** * ImageButton background drawable. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300fe; /** * Specifies a style resource to use for an indeterminate progress spinner. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0300ff; /** * The maximal number of items initially shown in the activity list. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int initialActivityCount=0x7f030100; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030101; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int isLightTheme=0x7f030102; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030103; /** * <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 itemHorizontalPadding=0x7f030104; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int itemHorizontalTranslationEnabled=0x7f030105; /** * <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 itemIconPadding=0x7f030106; /** * <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 itemIconSize=0x7f030107; /** * <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=0x7f030108; /** * Specifies padding that should be applied to the left and right sides of * system-provided items in the bar. * <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=0x7f030109; /** * <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 itemSpacing=0x7f03010a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03010b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 itemTextAppearanceActive=0x7f03010c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 itemTextAppearanceInactive=0x7f03010d; /** * <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=0x7f03010e; /** * A reference to an array of integers representing the * locations of horizontal keylines in dp from the starting edge. * Child views can refer to these keylines for alignment using * layout_keyline="index" where index is a 0-based index into * this 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>". */ public static final int keylines=0x7f03010f; /** * <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>labeled</td><td>1</td><td></td></tr> * <tr><td>selected</td><td>0</td><td></td></tr> * <tr><td>unlabeled</td><td>2</td><td></td></tr> * </table> */ public static final int labelVisibilityMode=0x7f030110; /** * Distance from the bottom of the TextView to the last text baseline. If set, this * overrides the value set for paddingBottom. * <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 lastBaselineToBottomHeight=0x7f030111; /** * The layout to use for the search view. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030112; /** * Class name of the Layout Manager to be used. * <p/> * The class must extandroidx.recyclerview.widget.RecyclerViewView$LayoutManager * and have either a default constructor or constructor with the signature * (android.content.Context, android.util.AttributeSet, int, int). * <p/> * If the name starts with a '.', application package is prefixed. * Else, if the name contains a '.', the classname is assumed to be a full class name. * Else, the recycler view package naandroidx.appcompat.widgetdget) is prefixed. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int layoutManager=0x7f030113; /** * The id of an anchor view that this view should position relative to. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030114; /** * Specifies how an object should position relative to an anchor, on both the X and Y axes, * within its parent's bounds. * <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>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>center</td><td>11</td><td>Place the object in the center of its container in both the vertical and horizontal axis, not changing its size.</td></tr> * <tr><td>center_horizontal</td><td>1</td><td>Place object in the horizontal center of its container, not changing its size.</td></tr> * <tr><td>center_vertical</td><td>10</td><td>Place object in the vertical center of its container, not changing its size.</td></tr> * <tr><td>clip_horizontal</td><td>8</td><td>Additional option that can be set to have the left and/or right edges of * the child clipped to its container's bounds. * The clip will be based on the horizontal gravity: a left gravity will clip the right * edge, a right gravity will clip the left edge, and neither will clip both edges.</td></tr> * <tr><td>clip_vertical</td><td>80</td><td>Additional option that can be set to have the top and/or bottom edges of * the child clipped to its container's bounds. * The clip will be based on the vertical gravity: a top gravity will clip the bottom * edge, a bottom gravity will clip the top edge, and neither will clip both edges.</td></tr> * <tr><td>end</td><td>800005</td><td>Push object to the end of its container, not changing its size.</td></tr> * <tr><td>fill</td><td>77</td><td>Grow the horizontal and vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_horizontal</td><td>7</td><td>Grow the horizontal size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_vertical</td><td>70</td><td>Grow the vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>left</td><td>3</td><td>Push object to the left of its container, not changing its size.</td></tr> * <tr><td>right</td><td>5</td><td>Push object to the right of its container, not changing its size.</td></tr> * <tr><td>start</td><td>800003</td><td>Push object to the beginning of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> */ public static final int layout_anchorGravity=0x7f030115; /** * The class name of a Behavior class defining special runtime behavior * for this child view. * <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=0x7f030116; /** * <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=0x7f030117; /** * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int layout_collapseParallaxMultiplier=0x7f030118; /** * Specifies how this view dodges the inset edges of the CoordinatorLayout. * <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>Dodge all the inset edges.</td></tr> * <tr><td>bottom</td><td>50</td><td>Dodge the bottom inset edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Dodge the end inset edge.</td></tr> * <tr><td>left</td><td>3</td><td>Dodge the left inset edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't dodge any edges</td></tr> * <tr><td>right</td><td>5</td><td>Dodge the right inset edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Dodge the start inset edge.</td></tr> * <tr><td>top</td><td>30</td><td>Dodge the top inset edge.</td></tr> * </table> */ public static final int layout_dodgeInsetEdges=0x7f030119; /** * Specifies how this view insets the CoordinatorLayout and make some other views * dodge it. * <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>Inset the bottom edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Inset the end edge.</td></tr> * <tr><td>left</td><td>3</td><td>Inset the left edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't inset.</td></tr> * <tr><td>right</td><td>5</td><td>Inset the right edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Inset the start edge.</td></tr> * <tr><td>top</td><td>30</td><td>Inset the top edge.</td></tr> * </table> */ public static final int layout_insetEdge=0x7f03011a; /** * The index of a keyline this view should position relative to. * android:layout_gravity will affect how the view aligns to the * specified keyline. * <p>May be an integer value, such as "<code>100</code>". */ public static final int layout_keyline=0x7f03011b; /** * <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> * <tr><td>snapMargins</td><td>20</td><td></td></tr> * </table> */ public static final int layout_scrollFlags=0x7f03011c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03011d; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int liftOnScroll=0x7f03011e; /** * Explicit height between lines of text. If set, this will override the values set * for lineSpacingExtra and lineSpacingMultiplier. * <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 lineHeight=0x7f03011f; /** * <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 lineSpacing=0x7f030120; /** * Drawable used as a background for selected list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030121; /** * Animated Drawable to use for single choice indicators. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 listChoiceIndicatorMultipleAnimated=0x7f030122; /** * Animated Drawable to use for multiple choice indicators. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 listChoiceIndicatorSingleAnimated=0x7f030123; /** * The list divider used in alert dialogs. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030124; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030125; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030126; /** * Default menu-style ListView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030127; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030128; /** * The preferred list item height. * <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=0x7f030129; /** * A larger, more robust list item height. * <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=0x7f03012a; /** * A smaller, sleeker list item height. * <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=0x7f03012b; /** * The preferred padding along the end edge of list items. * <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 listPreferredItemPaddingEnd=0x7f03012c; /** * The preferred padding along the left edge of list items. * <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=0x7f03012d; /** * The preferred padding along the right edge of list items. * <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=0x7f03012e; /** * The preferred padding along the start edge of list items. * <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 listPreferredItemPaddingStart=0x7f03012f; /** * Specifies the drawable used for the application logo. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030130; /** * A content description string to describe the appearance of the * associated logo image. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int logoDescription=0x7f030131; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 materialButtonStyle=0x7f030132; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 materialCardViewStyle=0x7f030133; /** * <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=0x7f030134; /** * <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=0x7f030135; /** * <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 maxImageSize=0x7f030136; /** * When set to true, all children with a weight will be considered having * the minimum size of the largest child. If false, all children are * measured normally. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int measureWithLargestChild=0x7f030137; /** * Menu resource to inflate to be shown in the toolbar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030138; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030139; /** * Text to set as the content description for the navigation button * located at the start of the toolbar. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int navigationContentDescription=0x7f03013a; /** * Icon drawable to use for the navigation button located at * the start of the toolbar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03013b; /** * The type of navigation to use. * <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>The action bar will use a selection list for navigation.</td></tr> * <tr><td>normal</td><td>0</td><td>Normal static title text</td></tr> * <tr><td>tabMode</td><td>2</td><td>The action bar will use a series of horizontal tabs for navigation.</td></tr> * </table> */ public static final int navigationMode=0x7f03013c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 navigationViewStyle=0x7f03013d; /** * The numeric modifier key. This is the modifier when using a numeric (e.g., 12-key) * keyboard. The values should be kept in sync with KeyEvent * <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=0x7f03013e; /** * Whether the popup window should overlap its anchor view. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int overlapAnchor=0x7f03013f; /** * Bottom padding to use when no buttons are present. * <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=0x7f030140; /** * Sets the padding, in pixels, of the end edge; see {@link android.R.attr#padding}. * <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=0x7f030141; /** * Sets the padding, in pixels, of the start edge; see {@link android.R.attr#padding}. * <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=0x7f030142; /** * Top padding to use when no title is present. * <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=0x7f030143; /** * The background of a panel when it is inset from the left and right edges of the screen. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030144; /** * Default Panel Menu style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030145; /** * Default Panel Menu width. * <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=0x7f030146; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int passwordToggleContentDescription=0x7f030147; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030148; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int passwordToggleEnabled=0x7f030149; /** * <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=0x7f03014a; /** * <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=0x7f03014b; /** * Default PopupMenu style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03014c; /** * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03014d; /** * Default PopupWindow style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03014e; /** * Whether space should be reserved in layout when an icon is missing. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int preserveIconSpacing=0x7f03014f; /** * <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=0x7f030150; /** * Specifies the horizontal padding on either end for an embedded progress bar. * <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=0x7f030151; /** * Specifies a style resource to use for an embedded progress bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030152; /** * Background for the section containing the search query * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030153; /** * An optional user-defined query hint string to be displayed in the empty query field. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int queryHint=0x7f030154; /** * Default RadioButton style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030155; /** * Default RatingBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030156; /** * Indicator RatingBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030157; /** * Small indicator RatingBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030158; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int reverseLayout=0x7f030159; /** * <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=0x7f03015a; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int scrimAnimationDuration=0x7f03015b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 scrimBackground=0x7f03015c; /** * <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=0x7f03015d; /** * Search icon displayed as a text field hint * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03015e; /** * Search icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03015f; /** * Style for the search query widget. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030160; /** * Default SeekBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030161; /** * A style that may be applied to buttons or other selectable items * that should react to pressed and focus states, but that do not * have a clear visual border along the edges. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030162; /** * Background drawable for borderless standalone items that need focus/pressed states. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030163; /** * How this item should display in the Action Bar, if present. * <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>Always show this item in an actionbar, even if it would override * the system's limits of how much stuff to put there. This may make * your action bar look bad on some screens. In most cases you should * use "ifRoom" instead. Mutually exclusive with "ifRoom" and "never".</td></tr> * <tr><td>collapseActionView</td><td>8</td><td>This item's action view collapses to a normal menu * item. When expanded, the action view takes over a * larger segment of its container.</td></tr> * <tr><td>ifRoom</td><td>1</td><td>Show this item in an action bar if there is room for it as determined * by the system. Favor this option over "always" where possible. * Mutually exclusive with "never" and "always".</td></tr> * <tr><td>never</td><td>0</td><td>Never show this item in an action bar, show it in the overflow menu instead. * Mutually exclusive with "ifRoom" and "always".</td></tr> * <tr><td>withText</td><td>4</td><td>When this item is shown as an action in the action bar, show a text * label with it even if it has an icon representation.</td></tr> * </table> */ public static final int showAsAction=0x7f030164; /** * Setting for which dividers to show. * <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=0x7f030165; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 showMotionSpec=0x7f030166; /** * Whether to draw on/off text. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int showText=0x7f030167; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int showTitle=0x7f030168; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030169; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int singleLine=0x7f03016a; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int singleSelection=0x7f03016b; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 snackbarButtonStyle=0x7f03016c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 snackbarStyle=0x7f03016d; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int spanCount=0x7f03016e; /** * Whether bars should rotate or not during transition * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int spinBars=0x7f03016f; /** * Default Spinner style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030170; /** * Default Spinner style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030171; /** * Whether to split the track and leave a gap for the thumb drawable. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int splitTrack=0x7f030172; /** * Sets a drawable as the content of this ImageView. Allows the use of vector drawable * when running on older versions of the platform. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030173; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int stackFromEnd=0x7f030174; /** * State identifier indicating the popup will be above the anchor. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_above_anchor=0x7f030175; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_collapsed=0x7f030176; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_collapsible=0x7f030177; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_liftable=0x7f030178; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_lifted=0x7f030179; /** * Drawable to display behind the status bar when the view is set to draw behind it. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03017a; /** * <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=0x7f03017b; /** * <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 strokeColor=0x7f03017c; /** * <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 strokeWidth=0x7f03017d; /** * Drawable for the arrow icon indicating a particular item is a submenu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03017e; /** * Background for the section containing the action (e.g. voice search) * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f03017f; /** * Specifies subtitle text used for navigationMode="normal" * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int subtitle=0x7f030180; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030181; /** * A color to apply to the subtitle string. * <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=0x7f030182; /** * Specifies a style to use for subtitle text. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030183; /** * Layout for query suggestion rows * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030184; /** * Minimum width for the switch component * <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=0x7f030185; /** * Minimum space between the switch and caption text * <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=0x7f030186; /** * Default style for the Switch widget. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030187; /** * TextAppearance style for text displayed on the switch thumb. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030188; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f030189; /** * <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=0x7f03018a; /** * <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=0x7f03018b; /** * <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 tabIconTint=0x7f03018c; /** * <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 tabIconTintMode=0x7f03018d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 tabIndicator=0x7f03018e; /** * <p>May be an integer value, such as "<code>100</code>". */ public static final int tabIndicatorAnimationDuration=0x7f03018f; /** * <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=0x7f030190; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int tabIndicatorFullWidth=0x7f030191; /** * <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>0</td><td></td></tr> * <tr><td>center</td><td>1</td><td></td></tr> * <tr><td>stretch</td><td>3</td><td></td></tr> * <tr><td>top</td><td>2</td><td></td></tr> * </table> */ public static final int tabIndicatorGravity=0x7f030192; /** * <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=0x7f030193; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int tabInlineLabel=0x7f030194; /** * <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=0x7f030195; /** * <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=0x7f030196; /** * <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=0x7f030197; /** * <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=0x7f030198; /** * <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=0x7f030199; /** * <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=0x7f03019a; /** * <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=0x7f03019b; /** * <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=0x7f03019c; /** * <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 tabRippleColor=0x7f03019d; /** * <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=0x7f03019e; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 tabStyle=0x7f03019f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301a0; /** * <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=0x7f0301a1; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int tabUnboundedRipple=0x7f0301a2; /** * Present the text in ALL CAPS. This may use a small-caps form when available. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301a3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceBody1=0x7f0301a4; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceBody2=0x7f0301a5; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceButton=0x7f0301a6; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceCaption=0x7f0301a7; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceHeadline1=0x7f0301a8; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceHeadline2=0x7f0301a9; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceHeadline3=0x7f0301aa; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceHeadline4=0x7f0301ab; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceHeadline5=0x7f0301ac; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceHeadline6=0x7f0301ad; /** * Text color, typeface, size, and style for the text inside of a popup menu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301ae; /** * The preferred TextAppearance for the primary text of list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301af; /** * The preferred TextAppearance for the secondary text of list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b0; /** * The preferred TextAppearance for the primary text of small list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceOverline=0x7f0301b2; /** * Text color, typeface, size, and style for header text inside of a popup menu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b3; /** * Text color, typeface, size, and style for system search result subtitle. Defaults to primary inverse text color. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b4; /** * Text color, typeface, size, and style for system search result title. Defaults to primary inverse text color. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b5; /** * Text color, typeface, size, and style for small text inside of a popup menu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b6; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceSubtitle1=0x7f0301b7; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textAppearanceSubtitle2=0x7f0301b8; /** * Color of list item text in alert dialogs. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301b9; /** * Text color for urls in search suggestions, used by things like global search * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301ba; /** * <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 textEndPadding=0x7f0301bb; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 textInputStyle=0x7f0301bc; /** * Set the textLocale by a comma-separated language tag string, * for example "ja-JP,zh-CN". This attribute only takes effect on API 21 and above. * Before API 24, only the first language tag is used. Starting from API 24, * the string will be converted into a {@link android.os.LocaleList} and then used by * {@link android.widget.TextView} * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int textLocale=0x7f0301bd; /** * <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 textStartPadding=0x7f0301be; /** * Deprecated. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301bf; /** * The thickness (stroke size) for the bar paint * <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=0x7f0301c0; /** * Amount of padding on either side of text within the switch thumb. * <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=0x7f0301c1; /** * Tint to apply to the thumb drawable. * <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=0x7f0301c2; /** * Blending mode used to apply the thumb tint. * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int thumbTintMode=0x7f0301c3; /** * Drawable displayed at each progress position on a seekbar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301c4; /** * Tint to apply to the tick mark drawable. * <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=0x7f0301c5; /** * Blending mode used to apply the tick mark tint. * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int tickMarkTintMode=0x7f0301c6; /** * Tint to apply to the image source. * <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=0x7f0301c7; /** * Blending mode used to apply the image source tint. * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int tintMode=0x7f0301c8; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int title=0x7f0301c9; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int titleEnabled=0x7f0301ca; /** * Specifies extra space on the left, start, right and end sides * of the toolbar's title. Margin values should be positive. * <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=0x7f0301cb; /** * Specifies extra space on the bottom side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <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=0x7f0301cc; /** * Specifies extra space on the end side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <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=0x7f0301cd; /** * Specifies extra space on the start side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <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=0x7f0301ce; /** * Specifies extra space on the top side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <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=0x7f0301cf; /** * {@deprecated Use titleMargin} * <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). */ @Deprecated public static final int titleMargins=0x7f0301d0; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d1; /** * A color to apply to the title string. * <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=0x7f0301d2; /** * Specifies a style to use for title text. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d3; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d4; /** * Default Toolar NavigationButtonStyle * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d5; /** * Default Toolbar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d6; /** * Foreground color to use for tooltips * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d7; /** * Background to use for tooltips * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301d8; /** * The tooltip text associated with the item. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int tooltipText=0x7f0301d9; /** * Drawable to use as the "track" that the switch thumb slides within. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301da; /** * Tint to apply to the track. * <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=0x7f0301db; /** * Blending mode used to apply the track tint. * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int trackTintMode=0x7f0301dc; /** * The index of the font in the tcc font file. If the font file referenced is not in the * tcc format, this attribute needs not be specified. * <p>May be an integer value, such as "<code>100</code>". */ public static final int ttcIndex=0x7f0301dd; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int useCompatPadding=0x7f0301de; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int viewInflaterClass=0x7f0301df; /** * Voice button icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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=0x7f0301e0; /** * Flag indicating whether this window should have an Action Bar * in place of the usual title bar. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionBar=0x7f0301e1; /** * Flag indicating whether this window's Action Bar should overlay * application content. Does nothing if the window would not * have an Action Bar. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionBarOverlay=0x7f0301e2; /** * Flag indicating whether action modes should overlay window content * when there is not reserved space for their UI (such as an Action Bar). * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionModeOverlay=0x7f0301e3; /** * A fixed height for the window along the major axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <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=0x7f0301e4; /** * A fixed height for the window along the minor axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <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=0x7f0301e5; /** * A fixed width for the window along the major axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <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=0x7f0301e6; /** * A fixed width for the window along the minor axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <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=0x7f0301e7; /** * The minimum width the window is allowed to be, along the major * axis of the screen. That is, when in landscape. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * <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=0x7f0301e8; /** * The minimum width the window is allowed to be, along the minor * axis of the screen. That is, when in portrait. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * <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=0x7f0301e9; /** * Flag indicating whether there should be no title on this window. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowNoTitle=0x7f0301ea; } public static final class bool { public static final int abc_action_bar_embed_tabs=0x7f040000; public static final int abc_allow_stacked_button_bar=0x7f040001; public static final int abc_config_actionMenuItemAllCaps=0x7f040002; public static final int mtrl_btn_textappearance_all_caps=0x7f040003; } public static final class color { public static final int abc_background_cache_hint_selector_material_dark=0x7f050000; public static final int abc_background_cache_hint_selector_material_light=0x7f050001; public static final int abc_btn_colored_borderless_text_material=0x7f050002; public static final int abc_btn_colored_text_material=0x7f050003; public static final int abc_color_highlight_material=0x7f050004; public static final int abc_decor_view_status_guard=0x7f050005; public static final int abc_decor_view_status_guard_light=0x7f050006; public static final int abc_hint_foreground_material_dark=0x7f050007; public static final int abc_hint_foreground_material_light=0x7f050008; public static final int abc_primary_text_disable_only_material_dark=0x7f050009; public static final int abc_primary_text_disable_only_material_light=0x7f05000a; public static final int abc_primary_text_material_dark=0x7f05000b; public static final int abc_primary_text_material_light=0x7f05000c; public static final int abc_search_url_text=0x7f05000d; public static final int abc_search_url_text_normal=0x7f05000e; public static final int abc_search_url_text_pressed=0x7f05000f; public static final int abc_search_url_text_selected=0x7f050010; public static final int abc_secondary_text_material_dark=0x7f050011; public static final int abc_secondary_text_material_light=0x7f050012; public static final int abc_tint_btn_checkable=0x7f050013; public static final int abc_tint_default=0x7f050014; public static final int abc_tint_edittext=0x7f050015; public static final int abc_tint_seek_thumb=0x7f050016; public static final int abc_tint_spinner=0x7f050017; public static final int abc_tint_switch_track=0x7f050018; public static final int accent=0x7f050019; public static final int accent_material_dark=0x7f05001a; public static final int accent_material_light=0x7f05001b; public static final int androidx_core_ripple_material_light=0x7f05001c; public static final int androidx_core_secondary_text_default_material_light=0x7f05001d; public static final int background_floating_material_dark=0x7f05001e; public static final int background_floating_material_light=0x7f05001f; public static final int background_material_dark=0x7f050020; public static final int background_material_light=0x7f050021; public static final int bright_foreground_disabled_material_dark=0x7f050022; public static final int bright_foreground_disabled_material_light=0x7f050023; public static final int bright_foreground_inverse_material_dark=0x7f050024; public static final int bright_foreground_inverse_material_light=0x7f050025; public static final int bright_foreground_material_dark=0x7f050026; public static final int bright_foreground_material_light=0x7f050027; public static final int button_material_dark=0x7f050028; public static final int button_material_light=0x7f050029; public static final int cardview_dark_background=0x7f05002a; public static final int cardview_light_background=0x7f05002b; public static final int cardview_shadow_end_color=0x7f05002c; public static final int cardview_shadow_start_color=0x7f05002d; public static final int design_bottom_navigation_shadow_color=0x7f05002e; public static final int design_default_color_primary=0x7f05002f; public static final int design_default_color_primary_dark=0x7f050030; public static final int design_error=0x7f050031; public static final int design_fab_shadow_end_color=0x7f050032; public static final int design_fab_shadow_mid_color=0x7f050033; public static final int design_fab_shadow_start_color=0x7f050034; public static final int design_fab_stroke_end_inner_color=0x7f050035; public static final int design_fab_stroke_end_outer_color=0x7f050036; public static final int design_fab_stroke_top_inner_color=0x7f050037; public static final int design_fab_stroke_top_outer_color=0x7f050038; public static final int design_snackbar_background_color=0x7f050039; public static final int design_tint_password_toggle=0x7f05003a; public static final int dim_foreground_disabled_material_dark=0x7f05003b; public static final int dim_foreground_disabled_material_light=0x7f05003c; public static final int dim_foreground_material_dark=0x7f05003d; public static final int dim_foreground_material_light=0x7f05003e; public static final int divider=0x7f05003f; public static final int error_color_material_dark=0x7f050040; public static final int error_color_material_light=0x7f050041; public static final int foreground_material_dark=0x7f050042; public static final int foreground_material_light=0x7f050043; public static final int highlighted_text_material_dark=0x7f050044; public static final int highlighted_text_material_light=0x7f050045; public static final int icons=0x7f050046; public static final int material_blue_grey_800=0x7f050047; public static final int material_blue_grey_900=0x7f050048; public static final int material_blue_grey_950=0x7f050049; public static final int material_deep_teal_200=0x7f05004a; public static final int material_deep_teal_500=0x7f05004b; public static final int material_grey_100=0x7f05004c; public static final int material_grey_300=0x7f05004d; public static final int material_grey_50=0x7f05004e; public static final int material_grey_600=0x7f05004f; public static final int material_grey_800=0x7f050050; public static final int material_grey_850=0x7f050051; public static final int material_grey_900=0x7f050052; public static final int mtrl_bottom_nav_colored_item_tint=0x7f050053; public static final int mtrl_bottom_nav_item_tint=0x7f050054; public static final int mtrl_btn_bg_color_disabled=0x7f050055; public static final int mtrl_btn_bg_color_selector=0x7f050056; public static final int mtrl_btn_ripple_color=0x7f050057; public static final int mtrl_btn_stroke_color_selector=0x7f050058; public static final int mtrl_btn_text_btn_ripple_color=0x7f050059; public static final int mtrl_btn_text_color_disabled=0x7f05005a; public static final int mtrl_btn_text_color_selector=0x7f05005b; public static final int mtrl_btn_transparent_bg_color=0x7f05005c; public static final int mtrl_chip_background_color=0x7f05005d; public static final int mtrl_chip_close_icon_tint=0x7f05005e; public static final int mtrl_chip_ripple_color=0x7f05005f; public static final int mtrl_chip_text_color=0x7f050060; public static final int mtrl_fab_ripple_color=0x7f050061; public static final int mtrl_scrim_color=0x7f050062; public static final int mtrl_tabs_colored_ripple_color=0x7f050063; public static final int mtrl_tabs_icon_color_selector=0x7f050064; public static final int mtrl_tabs_icon_color_selector_colored=0x7f050065; public static final int mtrl_tabs_legacy_text_color_selector=0x7f050066; public static final int mtrl_tabs_ripple_color=0x7f050067; public static final int mtrl_text_btn_text_color_selector=0x7f050068; public static final int mtrl_textinput_default_box_stroke_color=0x7f050069; public static final int mtrl_textinput_disabled_color=0x7f05006a; public static final int mtrl_textinput_filled_box_default_background_color=0x7f05006b; public static final int mtrl_textinput_hovered_box_stroke_color=0x7f05006c; public static final int notification_action_color_filter=0x7f05006d; public static final int notification_icon_bg_color=0x7f05006e; public static final int primary=0x7f05006f; public static final int primary_dark=0x7f050070; public static final int primary_dark_material_dark=0x7f050071; public static final int primary_dark_material_light=0x7f050072; public static final int primary_light=0x7f050073; public static final int primary_material_dark=0x7f050074; public static final int primary_material_light=0x7f050075; public static final int primary_text=0x7f050076; public static final int primary_text_default_material_dark=0x7f050077; public static final int primary_text_default_material_light=0x7f050078; public static final int primary_text_disabled_material_dark=0x7f050079; public static final int primary_text_disabled_material_light=0x7f05007a; public static final int ripple_material_dark=0x7f05007b; public static final int ripple_material_light=0x7f05007c; public static final int secondary_text=0x7f05007d; public static final int secondary_text_default_material_dark=0x7f05007e; public static final int secondary_text_default_material_light=0x7f05007f; public static final int secondary_text_disabled_material_dark=0x7f050080; public static final int secondary_text_disabled_material_light=0x7f050081; public static final int switch_thumb_disabled_material_dark=0x7f050082; public static final int switch_thumb_disabled_material_light=0x7f050083; public static final int switch_thumb_material_dark=0x7f050084; public static final int switch_thumb_material_light=0x7f050085; public static final int switch_thumb_normal_material_dark=0x7f050086; public static final int switch_thumb_normal_material_light=0x7f050087; public static final int tooltip_background_dark=0x7f050088; public static final int tooltip_background_light=0x7f050089; } public static final class dimen { public static final int abc_action_bar_content_inset_material=0x7f060000; public static final int abc_action_bar_content_inset_with_nav=0x7f060001; public static final int abc_action_bar_default_height_material=0x7f060002; public static final int abc_action_bar_default_padding_end_material=0x7f060003; public static final int abc_action_bar_default_padding_start_material=0x7f060004; public static final int abc_action_bar_elevation_material=0x7f060005; public static final int abc_action_bar_icon_vertical_padding_material=0x7f060006; public static final int abc_action_bar_overflow_padding_end_material=0x7f060007; public static final int abc_action_bar_overflow_padding_start_material=0x7f060008; public static final int abc_action_bar_stacked_max_height=0x7f060009; public static final int abc_action_bar_stacked_tab_max_width=0x7f06000a; public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f06000b; public static final int abc_action_bar_subtitle_top_margin_material=0x7f06000c; public static final int abc_action_button_min_height_material=0x7f06000d; public static final int abc_action_button_min_width_material=0x7f06000e; public static final int abc_action_button_min_width_overflow_material=0x7f06000f; public static final int abc_alert_dialog_button_bar_height=0x7f060010; public static final int abc_alert_dialog_button_dimen=0x7f060011; public static final int abc_button_inset_horizontal_material=0x7f060012; public static final int abc_button_inset_vertical_material=0x7f060013; public static final int abc_button_padding_horizontal_material=0x7f060014; public static final int abc_button_padding_vertical_material=0x7f060015; public static final int abc_cascading_menus_min_smallest_width=0x7f060016; public static final int abc_config_prefDialogWidth=0x7f060017; public static final int abc_control_corner_material=0x7f060018; public static final int abc_control_inset_material=0x7f060019; public static final int abc_control_padding_material=0x7f06001a; public static final int abc_dialog_corner_radius_material=0x7f06001b; public static final int abc_dialog_fixed_height_major=0x7f06001c; public static final int abc_dialog_fixed_height_minor=0x7f06001d; public static final int abc_dialog_fixed_width_major=0x7f06001e; public static final int abc_dialog_fixed_width_minor=0x7f06001f; public static final int abc_dialog_list_padding_bottom_no_buttons=0x7f060020; public static final int abc_dialog_list_padding_top_no_title=0x7f060021; public static final int abc_dialog_min_width_major=0x7f060022; public static final int abc_dialog_min_width_minor=0x7f060023; public static final int abc_dialog_padding_material=0x7f060024; public static final int abc_dialog_padding_top_material=0x7f060025; public static final int abc_dialog_title_divider_material=0x7f060026; public static final int abc_disabled_alpha_material_dark=0x7f060027; public static final int abc_disabled_alpha_material_light=0x7f060028; public static final int abc_dropdownitem_icon_width=0x7f060029; public static final int abc_dropdownitem_text_padding_left=0x7f06002a; public static final int abc_dropdownitem_text_padding_right=0x7f06002b; public static final int abc_edit_text_inset_bottom_material=0x7f06002c; public static final int abc_edit_text_inset_horizontal_material=0x7f06002d; public static final int abc_edit_text_inset_top_material=0x7f06002e; public static final int abc_floating_window_z=0x7f06002f; public static final int abc_list_item_height_large_material=0x7f060030; public static final int abc_list_item_height_material=0x7f060031; public static final int abc_list_item_height_small_material=0x7f060032; public static final int abc_list_item_padding_horizontal_material=0x7f060033; public static final int abc_panel_menu_list_width=0x7f060034; public static final int abc_progress_bar_height_material=0x7f060035; public static final int abc_search_view_preferred_height=0x7f060036; public static final int abc_search_view_preferred_width=0x7f060037; public static final int abc_seekbar_track_background_height_material=0x7f060038; public static final int abc_seekbar_track_progress_height_material=0x7f060039; public static final int abc_select_dialog_padding_start_material=0x7f06003a; public static final int abc_switch_padding=0x7f06003b; public static final int abc_text_size_body_1_material=0x7f06003c; public static final int abc_text_size_body_2_material=0x7f06003d; public static final int abc_text_size_button_material=0x7f06003e; public static final int abc_text_size_caption_material=0x7f06003f; public static final int abc_text_size_display_1_material=0x7f060040; public static final int abc_text_size_display_2_material=0x7f060041; public static final int abc_text_size_display_3_material=0x7f060042; public static final int abc_text_size_display_4_material=0x7f060043; public static final int abc_text_size_headline_material=0x7f060044; public static final int abc_text_size_large_material=0x7f060045; public static final int abc_text_size_medium_material=0x7f060046; public static final int abc_text_size_menu_header_material=0x7f060047; public static final int abc_text_size_menu_material=0x7f060048; public static final int abc_text_size_small_material=0x7f060049; public static final int abc_text_size_subhead_material=0x7f06004a; public static final int abc_text_size_subtitle_material_toolbar=0x7f06004b; public static final int abc_text_size_title_material=0x7f06004c; public static final int abc_text_size_title_material_toolbar=0x7f06004d; public static final int cardview_compat_inset_shadow=0x7f06004e; public static final int cardview_default_elevation=0x7f06004f; public static final int cardview_default_radius=0x7f060050; public static final int compat_button_inset_horizontal_material=0x7f060051; public static final int compat_button_inset_vertical_material=0x7f060052; public static final int compat_button_padding_horizontal_material=0x7f060053; public static final int compat_button_padding_vertical_material=0x7f060054; public static final int compat_control_corner_material=0x7f060055; public static final int compat_notification_large_icon_max_height=0x7f060056; public static final int compat_notification_large_icon_max_width=0x7f060057; public static final int design_appbar_elevation=0x7f060058; public static final int design_bottom_navigation_active_item_max_width=0x7f060059; public static final int design_bottom_navigation_active_item_min_width=0x7f06005a; public static final int design_bottom_navigation_active_text_size=0x7f06005b; public static final int design_bottom_navigation_elevation=0x7f06005c; public static final int design_bottom_navigation_height=0x7f06005d; public static final int design_bottom_navigation_icon_size=0x7f06005e; public static final int design_bottom_navigation_item_max_width=0x7f06005f; public static final int design_bottom_navigation_item_min_width=0x7f060060; public static final int design_bottom_navigation_margin=0x7f060061; public static final int design_bottom_navigation_shadow_height=0x7f060062; public static final int design_bottom_navigation_text_size=0x7f060063; public static final int design_bottom_sheet_modal_elevation=0x7f060064; public static final int design_bottom_sheet_peek_height_min=0x7f060065; public static final int design_fab_border_width=0x7f060066; public static final int design_fab_elevation=0x7f060067; public static final int design_fab_image_size=0x7f060068; public static final int design_fab_size_mini=0x7f060069; public static final int design_fab_size_normal=0x7f06006a; public static final int design_fab_translation_z_hovered_focused=0x7f06006b; public static final int design_fab_translation_z_pressed=0x7f06006c; public static final int design_navigation_elevation=0x7f06006d; public static final int design_navigation_icon_padding=0x7f06006e; public static final int design_navigation_icon_size=0x7f06006f; public static final int design_navigation_item_horizontal_padding=0x7f060070; public static final int design_navigation_item_icon_padding=0x7f060071; public static final int design_navigation_max_width=0x7f060072; public static final int design_navigation_padding_bottom=0x7f060073; public static final int design_navigation_separator_vertical_padding=0x7f060074; public static final int design_snackbar_action_inline_max_width=0x7f060075; public static final int design_snackbar_background_corner_radius=0x7f060076; public static final int design_snackbar_elevation=0x7f060077; public static final int design_snackbar_extra_spacing_horizontal=0x7f060078; public static final int design_snackbar_max_width=0x7f060079; public static final int design_snackbar_min_width=0x7f06007a; public static final int design_snackbar_padding_horizontal=0x7f06007b; public static final int design_snackbar_padding_vertical=0x7f06007c; public static final int design_snackbar_padding_vertical_2lines=0x7f06007d; public static final int design_snackbar_text_size=0x7f06007e; public static final int design_tab_max_width=0x7f06007f; public static final int design_tab_scrollable_min_width=0x7f060080; public static final int design_tab_text_size=0x7f060081; public static final int design_tab_text_size_2line=0x7f060082; public static final int design_textinput_caption_translate_y=0x7f060083; public static final int disabled_alpha_material_dark=0x7f060084; public static final int disabled_alpha_material_light=0x7f060085; public static final int fastscroll_default_thickness=0x7f060086; public static final int fastscroll_margin=0x7f060087; public static final int fastscroll_minimum_range=0x7f060088; public static final int highlight_alpha_material_colored=0x7f060089; public static final int highlight_alpha_material_dark=0x7f06008a; public static final int highlight_alpha_material_light=0x7f06008b; public static final int hint_alpha_material_dark=0x7f06008c; public static final int hint_alpha_material_light=0x7f06008d; public static final int hint_pressed_alpha_material_dark=0x7f06008e; public static final int hint_pressed_alpha_material_light=0x7f06008f; public static final int item_touch_helper_max_drag_scroll_per_frame=0x7f060090; public static final int item_touch_helper_swipe_escape_max_velocity=0x7f060091; public static final int item_touch_helper_swipe_escape_velocity=0x7f060092; public static final int mtrl_bottomappbar_fabOffsetEndMode=0x7f060093; public static final int mtrl_bottomappbar_fab_cradle_margin=0x7f060094; public static final int mtrl_bottomappbar_fab_cradle_rounded_corner_radius=0x7f060095; public static final int mtrl_bottomappbar_fab_cradle_vertical_offset=0x7f060096; public static final int mtrl_bottomappbar_height=0x7f060097; public static final int mtrl_btn_corner_radius=0x7f060098; public static final int mtrl_btn_dialog_btn_min_width=0x7f060099; public static final int mtrl_btn_disabled_elevation=0x7f06009a; public static final int mtrl_btn_disabled_z=0x7f06009b; public static final int mtrl_btn_elevation=0x7f06009c; public static final int mtrl_btn_focused_z=0x7f06009d; public static final int mtrl_btn_hovered_z=0x7f06009e; public static final int mtrl_btn_icon_btn_padding_left=0x7f06009f; public static final int mtrl_btn_icon_padding=0x7f0600a0; public static final int mtrl_btn_inset=0x7f0600a1; public static final int mtrl_btn_letter_spacing=0x7f0600a2; public static final int mtrl_btn_padding_bottom=0x7f0600a3; public static final int mtrl_btn_padding_left=0x7f0600a4; public static final int mtrl_btn_padding_right=0x7f0600a5; public static final int mtrl_btn_padding_top=0x7f0600a6; public static final int mtrl_btn_pressed_z=0x7f0600a7; public static final int mtrl_btn_stroke_size=0x7f0600a8; public static final int mtrl_btn_text_btn_icon_padding=0x7f0600a9; public static final int mtrl_btn_text_btn_padding_left=0x7f0600aa; public static final int mtrl_btn_text_btn_padding_right=0x7f0600ab; public static final int mtrl_btn_text_size=0x7f0600ac; public static final int mtrl_btn_z=0x7f0600ad; public static final int mtrl_card_elevation=0x7f0600ae; public static final int mtrl_card_spacing=0x7f0600af; public static final int mtrl_chip_pressed_translation_z=0x7f0600b0; public static final int mtrl_chip_text_size=0x7f0600b1; public static final int mtrl_fab_elevation=0x7f0600b2; public static final int mtrl_fab_translation_z_hovered_focused=0x7f0600b3; public static final int mtrl_fab_translation_z_pressed=0x7f0600b4; public static final int mtrl_navigation_elevation=0x7f0600b5; public static final int mtrl_navigation_item_horizontal_padding=0x7f0600b6; public static final int mtrl_navigation_item_icon_padding=0x7f0600b7; public static final int mtrl_snackbar_background_corner_radius=0x7f0600b8; public static final int mtrl_snackbar_margin=0x7f0600b9; public static final int mtrl_textinput_box_bottom_offset=0x7f0600ba; public static final int mtrl_textinput_box_corner_radius_medium=0x7f0600bb; public static final int mtrl_textinput_box_corner_radius_small=0x7f0600bc; public static final int mtrl_textinput_box_label_cutout_padding=0x7f0600bd; public static final int mtrl_textinput_box_padding_end=0x7f0600be; public static final int mtrl_textinput_box_stroke_width_default=0x7f0600bf; public static final int mtrl_textinput_box_stroke_width_focused=0x7f0600c0; public static final int mtrl_textinput_outline_box_expanded_padding=0x7f0600c1; public static final int mtrl_toolbar_default_height=0x7f0600c2; public static final int notification_action_icon_size=0x7f0600c3; public static final int notification_action_text_size=0x7f0600c4; public static final int notification_big_circle_margin=0x7f0600c5; public static final int notification_content_margin_start=0x7f0600c6; public static final int notification_large_icon_height=0x7f0600c7; public static final int notification_large_icon_width=0x7f0600c8; public static final int notification_main_column_padding_top=0x7f0600c9; public static final int notification_media_narrow_margin=0x7f0600ca; public static final int notification_right_icon_size=0x7f0600cb; public static final int notification_right_side_padding_top=0x7f0600cc; public static final int notification_small_icon_background_padding=0x7f0600cd; public static final int notification_small_icon_size_as_large=0x7f0600ce; public static final int notification_subtext_size=0x7f0600cf; public static final int notification_top_pad=0x7f0600d0; public static final int notification_top_pad_large_text=0x7f0600d1; public static final int tooltip_corner_radius=0x7f0600d2; public static final int tooltip_horizontal_padding=0x7f0600d3; public static final int tooltip_margin=0x7f0600d4; public static final int tooltip_precise_anchor_extra_offset=0x7f0600d5; public static final int tooltip_precise_anchor_threshold=0x7f0600d6; public static final int tooltip_vertical_padding=0x7f0600d7; public static final int tooltip_y_offset_non_touch=0x7f0600d8; public static final int tooltip_y_offset_touch=0x7f0600d9; } public static final class drawable { public static final int abc_ab_share_pack_mtrl_alpha=0x7f070006; public static final int abc_action_bar_item_background_material=0x7f070007; public static final int abc_btn_borderless_material=0x7f070008; public static final int abc_btn_check_material=0x7f070009; public static final int abc_btn_check_material_anim=0x7f07000a; public static final int abc_btn_check_to_on_mtrl_000=0x7f07000b; public static final int abc_btn_check_to_on_mtrl_015=0x7f07000c; public static final int abc_btn_colored_material=0x7f07000d; public static final int abc_btn_default_mtrl_shape=0x7f07000e; public static final int abc_btn_radio_material=0x7f07000f; public static final int abc_btn_radio_material_anim=0x7f070010; public static final int abc_btn_radio_to_on_mtrl_000=0x7f070011; public static final int abc_btn_radio_to_on_mtrl_015=0x7f070012; public static final int abc_btn_switch_to_on_mtrl_00001=0x7f070013; public static final int abc_btn_switch_to_on_mtrl_00012=0x7f070014; public static final int abc_cab_background_internal_bg=0x7f070015; public static final int abc_cab_background_top_material=0x7f070016; public static final int abc_cab_background_top_mtrl_alpha=0x7f070017; public static final int abc_control_background_material=0x7f070018; public static final int abc_dialog_material_background=0x7f070019; public static final int abc_edit_text_material=0x7f07001a; public static final int abc_ic_ab_back_material=0x7f07001b; public static final int abc_ic_arrow_drop_right_black_24dp=0x7f07001c; public static final int abc_ic_clear_material=0x7f07001d; public static final int abc_ic_commit_search_api_mtrl_alpha=0x7f07001e; public static final int abc_ic_go_search_api_material=0x7f07001f; public static final int abc_ic_menu_copy_mtrl_am_alpha=0x7f070020; public static final int abc_ic_menu_cut_mtrl_alpha=0x7f070021; public static final int abc_ic_menu_overflow_material=0x7f070022; public static final int abc_ic_menu_paste_mtrl_am_alpha=0x7f070023; public static final int abc_ic_menu_selectall_mtrl_alpha=0x7f070024; public static final int abc_ic_menu_share_mtrl_alpha=0x7f070025; public static final int abc_ic_search_api_material=0x7f070026; public static final int abc_ic_star_black_16dp=0x7f070027; public static final int abc_ic_star_black_36dp=0x7f070028; public static final int abc_ic_star_black_48dp=0x7f070029; public static final int abc_ic_star_half_black_16dp=0x7f07002a; public static final int abc_ic_star_half_black_36dp=0x7f07002b; public static final int abc_ic_star_half_black_48dp=0x7f07002c; public static final int abc_ic_voice_search_api_material=0x7f07002d; public static final int abc_item_background_holo_dark=0x7f07002e; public static final int abc_item_background_holo_light=0x7f07002f; public static final int abc_list_divider_material=0x7f070030; public static final int abc_list_divider_mtrl_alpha=0x7f070031; public static final int abc_list_focused_holo=0x7f070032; public static final int abc_list_longpressed_holo=0x7f070033; public static final int abc_list_pressed_holo_dark=0x7f070034; public static final int abc_list_pressed_holo_light=0x7f070035; public static final int abc_list_selector_background_transition_holo_dark=0x7f070036; public static final int abc_list_selector_background_transition_holo_light=0x7f070037; public static final int abc_list_selector_disabled_holo_dark=0x7f070038; public static final int abc_list_selector_disabled_holo_light=0x7f070039; public static final int abc_list_selector_holo_dark=0x7f07003a; public static final int abc_list_selector_holo_light=0x7f07003b; public static final int abc_menu_hardkey_panel_mtrl_mult=0x7f07003c; public static final int abc_popup_background_mtrl_mult=0x7f07003d; public static final int abc_ratingbar_indicator_material=0x7f07003e; public static final int abc_ratingbar_material=0x7f07003f; public static final int abc_ratingbar_small_material=0x7f070040; public static final int abc_scrubber_control_off_mtrl_alpha=0x7f070041; public static final int abc_scrubber_control_to_pressed_mtrl_000=0x7f070042; public static final int abc_scrubber_control_to_pressed_mtrl_005=0x7f070043; public static final int abc_scrubber_primary_mtrl_alpha=0x7f070044; public static final int abc_scrubber_track_mtrl_alpha=0x7f070045; public static final int abc_seekbar_thumb_material=0x7f070046; public static final int abc_seekbar_tick_mark_material=0x7f070047; public static final int abc_seekbar_track_material=0x7f070048; public static final int abc_spinner_mtrl_am_alpha=0x7f070049; public static final int abc_spinner_textfield_background_material=0x7f07004a; public static final int abc_switch_thumb_material=0x7f07004b; public static final int abc_switch_track_mtrl_alpha=0x7f07004c; public static final int abc_tab_indicator_material=0x7f07004d; public static final int abc_tab_indicator_mtrl_alpha=0x7f07004e; public static final int abc_text_cursor_material=0x7f07004f; public static final int abc_text_select_handle_left_mtrl_dark=0x7f070050; public static final int abc_text_select_handle_left_mtrl_light=0x7f070051; public static final int abc_text_select_handle_middle_mtrl_dark=0x7f070052; public static final int abc_text_select_handle_middle_mtrl_light=0x7f070053; public static final int abc_text_select_handle_right_mtrl_dark=0x7f070054; public static final int abc_text_select_handle_right_mtrl_light=0x7f070055; public static final int abc_textfield_activated_mtrl_alpha=0x7f070056; public static final int abc_textfield_default_mtrl_alpha=0x7f070057; public static final int abc_textfield_search_activated_mtrl_alpha=0x7f070058; public static final int abc_textfield_search_default_mtrl_alpha=0x7f070059; public static final int abc_textfield_search_material=0x7f07005a; public static final int abc_vector_test=0x7f07005b; public static final int avd_hide_password=0x7f07005c; public static final int avd_show_password=0x7f07005d; public static final int b1=0x7f07005e; public static final int b2=0x7f07005f; public static final int b3=0x7f070060; public static final int b4=0x7f070061; public static final int b5=0x7f070062; public static final int b6=0x7f070063; public static final int b7=0x7f070064; public static final int background=0x7f070065; public static final int backgrounddown=0x7f070066; public static final int backgrounddown1=0x7f070067; public static final int btn_checkbox_checked_mtrl=0x7f070068; public static final int btn_checkbox_checked_to_unchecked_mtrl_animation=0x7f070069; public static final int btn_checkbox_unchecked_mtrl=0x7f07006a; public static final int btn_checkbox_unchecked_to_checked_mtrl_animation=0x7f07006b; public static final int btn_radio_off_mtrl=0x7f07006c; public static final int btn_radio_off_to_on_mtrl_animation=0x7f07006d; public static final int btn_radio_on_mtrl=0x7f07006e; public static final int btn_radio_on_to_off_mtrl_animation=0x7f07006f; public static final int c1=0x7f070070; public static final int c10=0x7f070071; public static final int c2=0x7f070072; public static final int c3=0x7f070073; public static final int c4=0x7f070074; public static final int c5=0x7f070075; public static final int c6=0x7f070076; public static final int c7=0x7f070077; public static final int c8=0x7f070078; public static final int c9=0x7f070079; public static final int design_bottom_navigation_item_background=0x7f07007a; public static final int design_fab_background=0x7f07007b; public static final int design_ic_visibility=0x7f07007c; public static final int design_ic_visibility_off=0x7f07007d; public static final int design_password_eye=0x7f07007e; public static final int design_snackbar_background=0x7f07007f; public static final int filter=0x7f070080; public static final int h1=0x7f070081; public static final int h10=0x7f070082; public static final int h2=0x7f070083; public static final int h3=0x7f070084; public static final int h4=0x7f070085; public static final int h5=0x7f070086; public static final int h6=0x7f070087; public static final int h7=0x7f070088; public static final int h8=0x7f070089; public static final int h9=0x7f07008a; public static final int ic_launcher=0x7f07008b; public static final int ic_mtrl_chip_checked_black=0x7f07008c; public static final int ic_mtrl_chip_checked_circle=0x7f07008d; public static final int ic_mtrl_chip_close_circle=0x7f07008e; public static final int mtrl_snackbar_background=0x7f07008f; public static final int mtrl_tabs_default_indicator=0x7f070090; public static final int navigation_empty_icon=0x7f070091; public static final int notification_action_background=0x7f070092; public static final int notification_bg=0x7f070093; public static final int notification_bg_low=0x7f070094; public static final int notification_bg_low_normal=0x7f070095; public static final int notification_bg_low_pressed=0x7f070096; public static final int notification_bg_normal=0x7f070097; public static final int notification_bg_normal_pressed=0x7f070098; public static final int notification_icon_background=0x7f070099; public static final int notification_template_icon_bg=0x7f07009a; public static final int notification_template_icon_low_bg=0x7f07009b; public static final int notification_tile_bg=0x7f07009c; public static final int notify_panel_notification_icon_bg=0x7f07009d; public static final int profile=0x7f07009e; public static final int tooltip_frame_dark=0x7f07009f; public static final int tooltip_frame_light=0x7f0700a0; } public static final class id { public static final int ALT=0x7f080000; public static final int CTRL=0x7f080001; public static final int FUNCTION=0x7f080002; public static final int META=0x7f080003; public static final int SHIFT=0x7f080004; public static final int SYM=0x7f080005; public static final int accessibility_action_clickable_span=0x7f080006; public static final int accessibility_custom_action_0=0x7f080007; public static final int accessibility_custom_action_1=0x7f080008; public static final int accessibility_custom_action_10=0x7f080009; public static final int accessibility_custom_action_11=0x7f08000a; public static final int accessibility_custom_action_12=0x7f08000b; public static final int accessibility_custom_action_13=0x7f08000c; public static final int accessibility_custom_action_14=0x7f08000d; public static final int accessibility_custom_action_15=0x7f08000e; public static final int accessibility_custom_action_16=0x7f08000f; public static final int accessibility_custom_action_17=0x7f080010; public static final int accessibility_custom_action_18=0x7f080011; public static final int accessibility_custom_action_19=0x7f080012; public static final int accessibility_custom_action_2=0x7f080013; public static final int accessibility_custom_action_20=0x7f080014; public static final int accessibility_custom_action_21=0x7f080015; public static final int accessibility_custom_action_22=0x7f080016; public static final int accessibility_custom_action_23=0x7f080017; public static final int accessibility_custom_action_24=0x7f080018; public static final int accessibility_custom_action_25=0x7f080019; public static final int accessibility_custom_action_26=0x7f08001a; public static final int accessibility_custom_action_27=0x7f08001b; public static final int accessibility_custom_action_28=0x7f08001c; public static final int accessibility_custom_action_29=0x7f08001d; public static final int accessibility_custom_action_3=0x7f08001e; public static final int accessibility_custom_action_30=0x7f08001f; public static final int accessibility_custom_action_31=0x7f080020; public static final int accessibility_custom_action_4=0x7f080021; public static final int accessibility_custom_action_5=0x7f080022; public static final int accessibility_custom_action_6=0x7f080023; public static final int accessibility_custom_action_7=0x7f080024; public static final int accessibility_custom_action_8=0x7f080025; public static final int accessibility_custom_action_9=0x7f080026; public static final int action_bar=0x7f080027; public static final int action_bar_activity_content=0x7f080028; public static final int action_bar_container=0x7f080029; public static final int action_bar_root=0x7f08002a; public static final int action_bar_spinner=0x7f08002b; public static final int action_bar_subtitle=0x7f08002c; public static final int action_bar_title=0x7f08002d; public static final int action_container=0x7f08002e; public static final int action_context_bar=0x7f08002f; public static final int action_divider=0x7f080030; public static final int action_image=0x7f080031; public static final int action_menu_divider=0x7f080032; public static final int action_menu_presenter=0x7f080033; public static final int action_mode_bar=0x7f080034; public static final int action_mode_bar_stub=0x7f080035; public static final int action_mode_close_button=0x7f080036; public static final int action_text=0x7f080037; public static final int actions=0x7f080038; public static final int activity_chooser_view_content=0x7f080039; public static final int add=0x7f08003a; public static final int alertTitle=0x7f08003b; public static final int all=0x7f08003c; public static final int always=0x7f08003d; public static final int async=0x7f08003e; public static final int auto=0x7f08003f; public static final int beginning=0x7f080040; public static final int blocking=0x7f080041; public static final int bottom=0x7f080042; public static final int buttonPanel=0x7f080043; public static final int center=0x7f080044; public static final int center_horizontal=0x7f080045; public static final int center_vertical=0x7f080046; public static final int checkbox=0x7f080047; public static final int checked=0x7f080048; public static final int chronometer=0x7f080049; public static final int clip_horizontal=0x7f08004a; public static final int clip_vertical=0x7f08004b; public static final int collapseActionView=0x7f08004c; public static final int container=0x7f08004d; public static final int content=0x7f08004e; public static final int contentPanel=0x7f08004f; public static final int coordinator=0x7f080050; public static final int custom=0x7f080051; public static final int customPanel=0x7f080052; public static final int decor_content_parent=0x7f080053; public static final int default_activity_button=0x7f080054; public static final int design_bottom_sheet=0x7f080055; public static final int design_menu_item_action_area=0x7f080056; public static final int design_menu_item_action_area_stub=0x7f080057; public static final int design_menu_item_text=0x7f080058; public static final int design_navigation_view=0x7f080059; public static final int dialog_button=0x7f08005a; public static final int disableHome=0x7f08005b; public static final int edit_query=0x7f08005c; public static final int end=0x7f08005d; public static final int enterAlways=0x7f08005e; public static final int enterAlwaysCollapsed=0x7f08005f; public static final int exitUntilCollapsed=0x7f080060; public static final int expand_activities_button=0x7f080061; public static final int expanded_menu=0x7f080062; public static final int fill=0x7f080063; public static final int fill_horizontal=0x7f080064; public static final int fill_vertical=0x7f080065; public static final int filled=0x7f080066; public static final int fixed=0x7f080067; public static final int forever=0x7f080068; public static final int ghost_view=0x7f080069; public static final int group_divider=0x7f08006a; public static final int home=0x7f08006b; public static final int homeAsUp=0x7f08006c; public static final int icon=0x7f08006d; public static final int icon_group=0x7f08006e; public static final int ifRoom=0x7f08006f; public static final int image=0x7f080070; public static final int info=0x7f080071; public static final int italic=0x7f080072; public static final int item_touch_helper_previous_elevation=0x7f080073; public static final int labeled=0x7f080074; public static final int largeLabel=0x7f080075; public static final int left=0x7f080076; public static final int line1=0x7f080077; public static final int line3=0x7f080078; public static final int listMode=0x7f080079; public static final int list_item=0x7f08007a; public static final int masked=0x7f08007b; public static final int message=0x7f08007c; public static final int middle=0x7f08007d; public static final int mini=0x7f08007e; public static final int mtrl_child_content_container=0x7f08007f; public static final int mtrl_internal_children_alpha_tag=0x7f080080; public static final int multiply=0x7f080081; public static final int navigation_header_container=0x7f080082; public static final int never=0x7f080083; public static final int none=0x7f080084; public static final int normal=0x7f080085; public static final int notification_background=0x7f080086; public static final int notification_main_column=0x7f080087; public static final int notification_main_column_container=0x7f080088; public static final int off=0x7f080089; public static final int on=0x7f08008a; public static final int outline=0x7f08008b; public static final int parallax=0x7f08008c; public static final int parentPanel=0x7f08008d; public static final int parent_matrix=0x7f08008e; public static final int pin=0x7f08008f; public static final int progress_circular=0x7f080090; public static final int progress_horizontal=0x7f080091; public static final int radio=0x7f080092; public static final int right=0x7f080093; public static final int right_icon=0x7f080094; public static final int right_side=0x7f080095; public static final int save_image_matrix=0x7f080096; public static final int save_non_transition_alpha=0x7f080097; public static final int save_scale_type=0x7f080098; public static final int screen=0x7f080099; public static final int scroll=0x7f08009a; public static final int scrollIndicatorDown=0x7f08009b; public static final int scrollIndicatorUp=0x7f08009c; public static final int scrollView=0x7f08009d; public static final int scrollable=0x7f08009e; public static final int search_badge=0x7f08009f; public static final int search_bar=0x7f0800a0; public static final int search_button=0x7f0800a1; public static final int search_close_btn=0x7f0800a2; public static final int search_edit_frame=0x7f0800a3; public static final int search_go_btn=0x7f0800a4; public static final int search_mag_icon=0x7f0800a5; public static final int search_plate=0x7f0800a6; public static final int search_src_text=0x7f0800a7; public static final int search_voice_btn=0x7f0800a8; public static final int select_dialog_listview=0x7f0800a9; public static final int selected=0x7f0800aa; public static final int shortcut=0x7f0800ab; public static final int showCustom=0x7f0800ac; public static final int showHome=0x7f0800ad; public static final int showTitle=0x7f0800ae; public static final int smallLabel=0x7f0800af; public static final int snackbar_action=0x7f0800b0; public static final int snackbar_text=0x7f0800b1; public static final int snap=0x7f0800b2; public static final int snapMargins=0x7f0800b3; public static final int spacer=0x7f0800b4; public static final int split_action_bar=0x7f0800b5; public static final int src_atop=0x7f0800b6; public static final int src_in=0x7f0800b7; public static final int src_over=0x7f0800b8; public static final int start=0x7f0800b9; public static final int stretch=0x7f0800ba; public static final int submenuarrow=0x7f0800bb; public static final int submit_area=0x7f0800bc; public static final int tabMode=0x7f0800bd; public static final int tag_accessibility_actions=0x7f0800be; public static final int tag_accessibility_clickable_spans=0x7f0800bf; public static final int tag_accessibility_heading=0x7f0800c0; public static final int tag_accessibility_pane_title=0x7f0800c1; public static final int tag_screen_reader_focusable=0x7f0800c2; public static final int tag_transition_group=0x7f0800c3; public static final int tag_unhandled_key_event_manager=0x7f0800c4; public static final int tag_unhandled_key_listeners=0x7f0800c5; public static final int text=0x7f0800c6; public static final int text2=0x7f0800c7; public static final int textSpacerNoButtons=0x7f0800c8; public static final int textSpacerNoTitle=0x7f0800c9; public static final int textStart=0x7f0800ca; public static final int text_input_password_toggle=0x7f0800cb; public static final int textinput_counter=0x7f0800cc; public static final int textinput_error=0x7f0800cd; public static final int textinput_helper_text=0x7f0800ce; public static final int time=0x7f0800cf; public static final int title=0x7f0800d0; public static final int titleDividerNoCustom=0x7f0800d1; public static final int title_template=0x7f0800d2; public static final int top=0x7f0800d3; public static final int topPanel=0x7f0800d4; public static final int touch_outside=0x7f0800d5; public static final int transition_current_scene=0x7f0800d6; public static final int transition_layout_save=0x7f0800d7; public static final int transition_position=0x7f0800d8; public static final int transition_scene_layoutid_cache=0x7f0800d9; public static final int transition_transform=0x7f0800da; public static final int unchecked=0x7f0800db; public static final int uniform=0x7f0800dc; public static final int unlabeled=0x7f0800dd; public static final int up=0x7f0800de; public static final int useLogo=0x7f0800df; public static final int view_offset_helper=0x7f0800e0; public static final int visible=0x7f0800e1; public static final int withText=0x7f0800e2; public static final int wrap_content=0x7f0800e3; } public static final class integer { public static final int abc_config_activityDefaultDur=0x7f090000; public static final int abc_config_activityShortDur=0x7f090001; public static final int app_bar_elevation_anim_duration=0x7f090002; public static final int bottom_sheet_slide_duration=0x7f090003; public static final int cancel_button_image_alpha=0x7f090004; public static final int config_tooltipAnimTime=0x7f090005; public static final int design_snackbar_text_max_lines=0x7f090006; public static final int design_tab_indicator_anim_duration_ms=0x7f090007; public static final int hide_password_duration=0x7f090008; public static final int mtrl_btn_anim_delay_ms=0x7f090009; public static final int mtrl_btn_anim_duration_ms=0x7f09000a; public static final int mtrl_chip_anim_duration=0x7f09000b; public static final int mtrl_tab_indicator_anim_duration_ms=0x7f09000c; public static final int show_password_duration=0x7f09000d; public static final int status_bar_notification_info_maxnum=0x7f09000e; } public static final class interpolator { public static final int btn_checkbox_checked_mtrl_animation_interpolator_0=0x7f0a0000; public static final int btn_checkbox_checked_mtrl_animation_interpolator_1=0x7f0a0001; public static final int btn_checkbox_unchecked_mtrl_animation_interpolator_0=0x7f0a0002; public static final int btn_checkbox_unchecked_mtrl_animation_interpolator_1=0x7f0a0003; public static final int btn_radio_to_off_mtrl_animation_interpolator_0=0x7f0a0004; public static final int btn_radio_to_on_mtrl_animation_interpolator_0=0x7f0a0005; public static final int fast_out_slow_in=0x7f0a0006; public static final int mtrl_fast_out_linear_in=0x7f0a0007; public static final int mtrl_fast_out_slow_in=0x7f0a0008; public static final int mtrl_linear=0x7f0a0009; public static final int mtrl_linear_out_slow_in=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_cascading_menu_item_layout=0x7f0b000b; public static final int abc_dialog_title_material=0x7f0b000c; public static final int abc_expanded_menu_layout=0x7f0b000d; public static final int abc_list_menu_item_checkbox=0x7f0b000e; public static final int abc_list_menu_item_icon=0x7f0b000f; public static final int abc_list_menu_item_layout=0x7f0b0010; public static final int abc_list_menu_item_radio=0x7f0b0011; public static final int abc_popup_menu_header_item_layout=0x7f0b0012; public static final int abc_popup_menu_item_layout=0x7f0b0013; public static final int abc_screen_content_include=0x7f0b0014; public static final int abc_screen_simple=0x7f0b0015; public static final int abc_screen_simple_overlay_action_mode=0x7f0b0016; public static final int abc_screen_toolbar=0x7f0b0017; public static final int abc_search_dropdown_item_icons_2line=0x7f0b0018; public static final int abc_search_view=0x7f0b0019; public static final int abc_select_dialog_material=0x7f0b001a; public static final int abc_tooltip=0x7f0b001b; public static final int activity_app=0x7f0b001c; public static final int custom_dialog=0x7f0b001d; public static final int design_bottom_navigation_item=0x7f0b001e; public static final int design_bottom_sheet_dialog=0x7f0b001f; public static final int design_layout_snackbar=0x7f0b0020; public static final int design_layout_snackbar_include=0x7f0b0021; public static final int design_layout_tab_icon=0x7f0b0022; public static final int design_layout_tab_text=0x7f0b0023; public static final int design_menu_item_action_area=0x7f0b0024; public static final int design_navigation_item=0x7f0b0025; public static final int design_navigation_item_header=0x7f0b0026; public static final int design_navigation_item_separator=0x7f0b0027; public static final int design_navigation_item_subheader=0x7f0b0028; public static final int design_navigation_menu=0x7f0b0029; public static final int design_navigation_menu_item=0x7f0b002a; public static final int design_text_input_password_icon=0x7f0b002b; public static final int mtrl_layout_snackbar=0x7f0b002c; public static final int mtrl_layout_snackbar_include=0x7f0b002d; public static final int notification_action=0x7f0b002e; public static final int notification_action_tombstone=0x7f0b002f; public static final int notification_template_custom_big=0x7f0b0030; public static final int notification_template_icon_group=0x7f0b0031; public static final int notification_template_part_chronometer=0x7f0b0032; public static final int notification_template_part_time=0x7f0b0033; public static final int select_dialog_item_material=0x7f0b0034; public static final int select_dialog_multichoice_material=0x7f0b0035; public static final int select_dialog_singlechoice_material=0x7f0b0036; public static final int support_simple_spinner_dropdown_item=0x7f0b0037; } public static final class string { public static final int abc_action_bar_home_description=0x7f0c0000; public static final int abc_action_bar_up_description=0x7f0c0001; public static final int abc_action_menu_overflow_description=0x7f0c0002; public static final int abc_action_mode_done=0x7f0c0003; public static final int abc_activity_chooser_view_see_all=0x7f0c0004; public static final int abc_activitychooserview_choose_application=0x7f0c0005; public static final int abc_capital_off=0x7f0c0006; public static final int abc_capital_on=0x7f0c0007; public static final int abc_menu_alt_shortcut_label=0x7f0c0008; public static final int abc_menu_ctrl_shortcut_label=0x7f0c0009; public static final int abc_menu_delete_shortcut_label=0x7f0c000a; public static final int abc_menu_enter_shortcut_label=0x7f0c000b; public static final int abc_menu_function_shortcut_label=0x7f0c000c; public static final int abc_menu_meta_shortcut_label=0x7f0c000d; public static final int abc_menu_shift_shortcut_label=0x7f0c000e; public static final int abc_menu_space_shortcut_label=0x7f0c000f; public static final int abc_menu_sym_shortcut_label=0x7f0c0010; public static final int abc_prepend_shortcut_label=0x7f0c0011; public static final int abc_search_hint=0x7f0c0012; public static final int abc_searchview_description_clear=0x7f0c0013; public static final int abc_searchview_description_query=0x7f0c0014; public static final int abc_searchview_description_search=0x7f0c0015; public static final int abc_searchview_description_submit=0x7f0c0016; public static final int abc_searchview_description_voice=0x7f0c0017; public static final int abc_shareactionprovider_share_with=0x7f0c0018; public static final int abc_shareactionprovider_share_with_application=0x7f0c0019; public static final int abc_toolbar_collapse_description=0x7f0c001a; public static final int app_name=0x7f0c001b; public static final int appbar_scrolling_view_behavior=0x7f0c001c; public static final int bottom_sheet_behavior=0x7f0c001d; public static final int character_counter_content_description=0x7f0c001e; public static final int character_counter_pattern=0x7f0c001f; public static final int fab_transformation_scrim_behavior=0x7f0c0020; public static final int fab_transformation_sheet_behavior=0x7f0c0021; public static final int hello_world=0x7f0c0022; public static final int hide_bottom_view_on_scroll_behavior=0x7f0c0023; public static final int mtrl_chip_close_icon_content_description=0x7f0c0024; public static final int password_toggle_content_description=0x7f0c0025; public static final int path_password_eye=0x7f0c0026; public static final int path_password_eye_mask_strike_through=0x7f0c0027; public static final int path_password_eye_mask_visible=0x7f0c0028; public static final int path_password_strike_through=0x7f0c0029; public static final int search_menu_title=0x7f0c002a; public static final int status_bar_notification_info_overflow=0x7f0c002b; } public static final class style { public static final int AlertDialog_AppCompat=0x7f0d0000; public static final int AlertDialog_AppCompat_Light=0x7f0d0001; public static final int Animation_AppCompat_Dialog=0x7f0d0002; public static final int Animation_AppCompat_DropDownUp=0x7f0d0003; public static final int Animation_AppCompat_Tooltip=0x7f0d0004; public static final int Animation_Design_BottomSheetDialog=0x7f0d0005; public static final int AppBaseTheme=0x7f0d0006; public static final int AppTheme=0x7f0d0007; public static final int Base_AlertDialog_AppCompat=0x7f0d0008; public static final int Base_AlertDialog_AppCompat_Light=0x7f0d0009; public static final int Base_Animation_AppCompat_Dialog=0x7f0d000a; public static final int Base_Animation_AppCompat_DropDownUp=0x7f0d000b; public static final int Base_Animation_AppCompat_Tooltip=0x7f0d000c; public static final int Base_CardView=0x7f0d000d; public static final int Base_DialogWindowTitle_AppCompat=0x7f0d000e; public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f0d000f; public static final int Base_TextAppearance_AppCompat=0x7f0d0010; public static final int Base_TextAppearance_AppCompat_Body1=0x7f0d0011; public static final int Base_TextAppearance_AppCompat_Body2=0x7f0d0012; public static final int Base_TextAppearance_AppCompat_Button=0x7f0d0013; public static final int Base_TextAppearance_AppCompat_Caption=0x7f0d0014; public static final int Base_TextAppearance_AppCompat_Display1=0x7f0d0015; public static final int Base_TextAppearance_AppCompat_Display2=0x7f0d0016; public static final int Base_TextAppearance_AppCompat_Display3=0x7f0d0017; public static final int Base_TextAppearance_AppCompat_Display4=0x7f0d0018; public static final int Base_TextAppearance_AppCompat_Headline=0x7f0d0019; public static final int Base_TextAppearance_AppCompat_Inverse=0x7f0d001a; public static final int Base_TextAppearance_AppCompat_Large=0x7f0d001b; public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f0d001c; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0d001d; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0d001e; public static final int Base_TextAppearance_AppCompat_Medium=0x7f0d001f; public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f0d0020; public static final int Base_TextAppearance_AppCompat_Menu=0x7f0d0021; public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f0d0022; public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0d0023; public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f0d0024; public static final int Base_TextAppearance_AppCompat_Small=0x7f0d0025; public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f0d0026; public static final int Base_TextAppearance_AppCompat_Subhead=0x7f0d0027; public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f0d0028; public static final int Base_TextAppearance_AppCompat_Title=0x7f0d0029; public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f0d002a; public static final int Base_TextAppearance_AppCompat_Tooltip=0x7f0d002b; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0d002c; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0d002d; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0d002e; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0d002f; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0d0030; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0d0031; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0d0032; public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f0d0033; public static final int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0d0034; public static final int Base_TextAppearance_AppCompat_Widget_Button_Colored=0x7f0d0035; public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0d0036; public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f0d0037; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0d0038; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0d0039; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0d003a; public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f0d003b; public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0d003c; public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0d003d; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0d003e; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0d003f; public static final int Base_Theme_AppCompat=0x7f0d0040; public static final int Base_Theme_AppCompat_CompactMenu=0x7f0d0041; public static final int Base_Theme_AppCompat_Dialog=0x7f0d0042; public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f0d0043; public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f0d0044; public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f0d0045; public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f0d0046; public static final int Base_Theme_AppCompat_Light=0x7f0d0047; public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f0d0048; public static final int Base_Theme_AppCompat_Light_Dialog=0x7f0d0049; public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f0d004a; public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f0d004b; public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f0d004c; public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f0d004d; public static final int Base_Theme_MaterialComponents=0x7f0d004e; public static final int Base_Theme_MaterialComponents_Bridge=0x7f0d004f; public static final int Base_Theme_MaterialComponents_CompactMenu=0x7f0d0050; public static final int Base_Theme_MaterialComponents_Dialog=0x7f0d0051; public static final int Base_Theme_MaterialComponents_Dialog_Alert=0x7f0d0052; public static final int Base_Theme_MaterialComponents_Dialog_FixedSize=0x7f0d0053; public static final int Base_Theme_MaterialComponents_Dialog_MinWidth=0x7f0d0054; public static final int Base_Theme_MaterialComponents_DialogWhenLarge=0x7f0d0055; public static final int Base_Theme_MaterialComponents_Light=0x7f0d0056; public static final int Base_Theme_MaterialComponents_Light_Bridge=0x7f0d0057; public static final int Base_Theme_MaterialComponents_Light_DarkActionBar=0x7f0d0058; public static final int Base_Theme_MaterialComponents_Light_DarkActionBar_Bridge=0x7f0d0059; public static final int Base_Theme_MaterialComponents_Light_Dialog=0x7f0d005a; public static final int Base_Theme_MaterialComponents_Light_Dialog_Alert=0x7f0d005b; public static final int Base_Theme_MaterialComponents_Light_Dialog_FixedSize=0x7f0d005c; public static final int Base_Theme_MaterialComponents_Light_Dialog_MinWidth=0x7f0d005d; public static final int Base_Theme_MaterialComponents_Light_DialogWhenLarge=0x7f0d005e; public static final int Base_ThemeOverlay_AppCompat=0x7f0d005f; public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f0d0060; public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f0d0061; public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0d0062; public static final int Base_ThemeOverlay_AppCompat_Dialog=0x7f0d0063; public static final int Base_ThemeOverlay_AppCompat_Dialog_Alert=0x7f0d0064; public static final int Base_ThemeOverlay_AppCompat_Light=0x7f0d0065; public static final int Base_ThemeOverlay_MaterialComponents_Dialog=0x7f0d0066; public static final int Base_ThemeOverlay_MaterialComponents_Dialog_Alert=0x7f0d0067; public static final int Base_V14_Theme_MaterialComponents=0x7f0d0068; public static final int Base_V14_Theme_MaterialComponents_Bridge=0x7f0d0069; public static final int Base_V14_Theme_MaterialComponents_Dialog=0x7f0d006a; public static final int Base_V14_Theme_MaterialComponents_Light=0x7f0d006b; public static final int Base_V14_Theme_MaterialComponents_Light_Bridge=0x7f0d006c; public static final int Base_V14_Theme_MaterialComponents_Light_DarkActionBar_Bridge=0x7f0d006d; public static final int Base_V14_Theme_MaterialComponents_Light_Dialog=0x7f0d006e; public static final int Base_V14_ThemeOverlay_MaterialComponents_Dialog=0x7f0d006f; public static final int Base_V14_ThemeOverlay_MaterialComponents_Dialog_Alert=0x7f0d0070; public static final int Base_V21_Theme_AppCompat=0x7f0d0071; public static final int Base_V21_Theme_AppCompat_Dialog=0x7f0d0072; public static final int Base_V21_Theme_AppCompat_Light=0x7f0d0073; public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f0d0074; public static final int Base_V21_ThemeOverlay_AppCompat_Dialog=0x7f0d0075; public static final int Base_V22_Theme_AppCompat=0x7f0d0076; public static final int Base_V22_Theme_AppCompat_Light=0x7f0d0077; public static final int Base_V23_Theme_AppCompat=0x7f0d0078; public static final int Base_V23_Theme_AppCompat_Light=0x7f0d0079; public static final int Base_V26_Theme_AppCompat=0x7f0d007a; public static final int Base_V26_Theme_AppCompat_Light=0x7f0d007b; public static final int Base_V26_Widget_AppCompat_Toolbar=0x7f0d007c; public static final int Base_V28_Theme_AppCompat=0x7f0d007d; public static final int Base_V28_Theme_AppCompat_Light=0x7f0d007e; public static final int Base_V7_Theme_AppCompat=0x7f0d007f; public static final int Base_V7_Theme_AppCompat_Dialog=0x7f0d0080; public static final int Base_V7_Theme_AppCompat_Light=0x7f0d0081; public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f0d0082; public static final int Base_V7_ThemeOverlay_AppCompat_Dialog=0x7f0d0083; public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f0d0084; public static final int Base_V7_Widget_AppCompat_EditText=0x7f0d0085; public static final int Base_V7_Widget_AppCompat_Toolbar=0x7f0d0086; public static final int Base_Widget_AppCompat_ActionBar=0x7f0d0087; public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f0d0088; public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0d0089; public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f0d008a; public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f0d008b; public static final int Base_Widget_AppCompat_ActionButton=0x7f0d008c; public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f0d008d; public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f0d008e; public static final int Base_Widget_AppCompat_ActionMode=0x7f0d008f; public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0d0090; public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f0d0091; public static final int Base_Widget_AppCompat_Button=0x7f0d0092; public static final int Base_Widget_AppCompat_Button_Borderless=0x7f0d0093; public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f0d0094; public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0d0095; public static final int Base_Widget_AppCompat_Button_Colored=0x7f0d0096; public static final int Base_Widget_AppCompat_Button_Small=0x7f0d0097; public static final int Base_Widget_AppCompat_ButtonBar=0x7f0d0098; public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0d0099; public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f0d009a; public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f0d009b; public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0d009c; public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f0d009d; public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0d009e; public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f0d009f; public static final int Base_Widget_AppCompat_EditText=0x7f0d00a0; public static final int Base_Widget_AppCompat_ImageButton=0x7f0d00a1; public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0d00a2; public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0d00a3; public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0d00a4; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f0d00a5; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0d00a6; public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f0d00a7; public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f0d00a8; public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0d00a9; public static final int Base_Widget_AppCompat_ListMenuView=0x7f0d00aa; public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f0d00ab; public static final int Base_Widget_AppCompat_ListView=0x7f0d00ac; public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f0d00ad; public static final int Base_Widget_AppCompat_ListView_Menu=0x7f0d00ae; public static final int Base_Widget_AppCompat_PopupMenu=0x7f0d00af; public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f0d00b0; public static final int Base_Widget_AppCompat_PopupWindow=0x7f0d00b1; public static final int Base_Widget_AppCompat_ProgressBar=0x7f0d00b2; public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f0d00b3; public static final int Base_Widget_AppCompat_RatingBar=0x7f0d00b4; public static final int Base_Widget_AppCompat_RatingBar_Indicator=0x7f0d00b5; public static final int Base_Widget_AppCompat_RatingBar_Small=0x7f0d00b6; public static final int Base_Widget_AppCompat_SearchView=0x7f0d00b7; public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0d00b8; public static final int Base_Widget_AppCompat_SeekBar=0x7f0d00b9; public static final int Base_Widget_AppCompat_SeekBar_Discrete=0x7f0d00ba; public static final int Base_Widget_AppCompat_Spinner=0x7f0d00bb; public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f0d00bc; public static final int Base_Widget_AppCompat_TextView=0x7f0d00bd; public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f0d00be; public static final int Base_Widget_AppCompat_Toolbar=0x7f0d00bf; public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f0d00c0; public static final int Base_Widget_Design_TabLayout=0x7f0d00c1; public static final int Base_Widget_MaterialComponents_Chip=0x7f0d00c2; public static final int Base_Widget_MaterialComponents_TextInputEditText=0x7f0d00c3; public static final int Base_Widget_MaterialComponents_TextInputLayout=0x7f0d00c4; public static final int CardView=0x7f0d00c5; public static final int CardView_Dark=0x7f0d00c6; public static final int CardView_Light=0x7f0d00c7; public static final int Platform_AppCompat=0x7f0d00c8; public static final int Platform_AppCompat_Light=0x7f0d00c9; public static final int Platform_MaterialComponents=0x7f0d00ca; public static final int Platform_MaterialComponents_Dialog=0x7f0d00cb; public static final int Platform_MaterialComponents_Light=0x7f0d00cc; public static final int Platform_MaterialComponents_Light_Dialog=0x7f0d00cd; public static final int Platform_ThemeOverlay_AppCompat=0x7f0d00ce; public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f0d00cf; public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f0d00d0; public static final int Platform_V21_AppCompat=0x7f0d00d1; public static final int Platform_V21_AppCompat_Light=0x7f0d00d2; public static final int Platform_V25_AppCompat=0x7f0d00d3; public static final int Platform_V25_AppCompat_Light=0x7f0d00d4; public static final int Platform_Widget_AppCompat_Spinner=0x7f0d00d5; public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f0d00d6; public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f0d00d7; public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f0d00d8; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f0d00d9; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f0d00da; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Shortcut=0x7f0d00db; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_SubmenuArrow=0x7f0d00dc; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f0d00dd; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Title=0x7f0d00de; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f0d00df; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f0d00e0; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f0d00e1; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f0d00e2; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f0d00e3; public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f0d00e4; public static final int RtlUnderlay_Widget_AppCompat_ActionButton=0x7f0d00e5; public static final int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow=0x7f0d00e6; public static final int TextAppearance_AppCompat=0x7f0d00e7; public static final int TextAppearance_AppCompat_Body1=0x7f0d00e8; public static final int TextAppearance_AppCompat_Body2=0x7f0d00e9; public static final int TextAppearance_AppCompat_Button=0x7f0d00ea; public static final int TextAppearance_AppCompat_Caption=0x7f0d00eb; public static final int TextAppearance_AppCompat_Display1=0x7f0d00ec; public static final int TextAppearance_AppCompat_Display2=0x7f0d00ed; public static final int TextAppearance_AppCompat_Display3=0x7f0d00ee; public static final int TextAppearance_AppCompat_Display4=0x7f0d00ef; public static final int TextAppearance_AppCompat_Headline=0x7f0d00f0; public static final int TextAppearance_AppCompat_Inverse=0x7f0d00f1; public static final int TextAppearance_AppCompat_Large=0x7f0d00f2; public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0d00f3; public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0d00f4; public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0d00f5; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0d00f6; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0d00f7; public static final int TextAppearance_AppCompat_Medium=0x7f0d00f8; public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0d00f9; public static final int TextAppearance_AppCompat_Menu=0x7f0d00fa; public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0d00fb; public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0d00fc; public static final int TextAppearance_AppCompat_Small=0x7f0d00fd; public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0d00fe; public static final int TextAppearance_AppCompat_Subhead=0x7f0d00ff; public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0d0100; public static final int TextAppearance_AppCompat_Title=0x7f0d0101; public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0d0102; public static final int TextAppearance_AppCompat_Tooltip=0x7f0d0103; public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0d0104; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0d0105; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0d0106; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0d0107; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0d0108; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0d0109; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0d010a; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0d010b; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0d010c; public static final int TextAppearance_AppCompat_Widget_Button=0x7f0d010d; public static final int TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0d010e; public static final int TextAppearance_AppCompat_Widget_Button_Colored=0x7f0d010f; public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0d0110; public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0d0111; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0d0112; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0d0113; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0d0114; public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0d0115; public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0d0116; public static final int TextAppearance_Compat_Notification=0x7f0d0117; public static final int TextAppearance_Compat_Notification_Info=0x7f0d0118; public static final int TextAppearance_Compat_Notification_Line2=0x7f0d0119; public static final int TextAppearance_Compat_Notification_Time=0x7f0d011a; public static final int TextAppearance_Compat_Notification_Title=0x7f0d011b; public static final int TextAppearance_Design_CollapsingToolbar_Expanded=0x7f0d011c; public static final int TextAppearance_Design_Counter=0x7f0d011d; public static final int TextAppearance_Design_Counter_Overflow=0x7f0d011e; public static final int TextAppearance_Design_Error=0x7f0d011f; public static final int TextAppearance_Design_HelperText=0x7f0d0120; public static final int TextAppearance_Design_Hint=0x7f0d0121; public static final int TextAppearance_Design_Snackbar_Message=0x7f0d0122; public static final int TextAppearance_Design_Tab=0x7f0d0123; public static final int TextAppearance_MaterialComponents_Body1=0x7f0d0124; public static final int TextAppearance_MaterialComponents_Body2=0x7f0d0125; public static final int TextAppearance_MaterialComponents_Button=0x7f0d0126; public static final int TextAppearance_MaterialComponents_Caption=0x7f0d0127; public static final int TextAppearance_MaterialComponents_Chip=0x7f0d0128; public static final int TextAppearance_MaterialComponents_Headline1=0x7f0d0129; public static final int TextAppearance_MaterialComponents_Headline2=0x7f0d012a; public static final int TextAppearance_MaterialComponents_Headline3=0x7f0d012b; public static final int TextAppearance_MaterialComponents_Headline4=0x7f0d012c; public static final int TextAppearance_MaterialComponents_Headline5=0x7f0d012d; public static final int TextAppearance_MaterialComponents_Headline6=0x7f0d012e; public static final int TextAppearance_MaterialComponents_Overline=0x7f0d012f; public static final int TextAppearance_MaterialComponents_Subtitle1=0x7f0d0130; public static final int TextAppearance_MaterialComponents_Subtitle2=0x7f0d0131; public static final int TextAppearance_MaterialComponents_Tab=0x7f0d0132; public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0d0133; public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0d0134; public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0d0135; public static final int Theme_AppCompat=0x7f0d0136; public static final int Theme_AppCompat_CompactMenu=0x7f0d0137; public static final int Theme_AppCompat_DayNight=0x7f0d0138; public static final int Theme_AppCompat_DayNight_DarkActionBar=0x7f0d0139; public static final int Theme_AppCompat_DayNight_Dialog=0x7f0d013a; public static final int Theme_AppCompat_DayNight_Dialog_Alert=0x7f0d013b; public static final int Theme_AppCompat_DayNight_Dialog_MinWidth=0x7f0d013c; public static final int Theme_AppCompat_DayNight_DialogWhenLarge=0x7f0d013d; public static final int Theme_AppCompat_DayNight_NoActionBar=0x7f0d013e; public static final int Theme_AppCompat_Dialog=0x7f0d013f; public static final int Theme_AppCompat_Dialog_Alert=0x7f0d0140; public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0d0141; public static final int Theme_AppCompat_DialogWhenLarge=0x7f0d0142; public static final int Theme_AppCompat_Empty=0x7f0d0143; public static final int Theme_AppCompat_Light=0x7f0d0144; public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0d0145; public static final int Theme_AppCompat_Light_Dialog=0x7f0d0146; public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0d0147; public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0d0148; public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0d0149; public static final int Theme_AppCompat_Light_NoActionBar=0x7f0d014a; public static final int Theme_AppCompat_NoActionBar=0x7f0d014b; public static final int Theme_Design=0x7f0d014c; public static final int Theme_Design_BottomSheetDialog=0x7f0d014d; public static final int Theme_Design_Light=0x7f0d014e; public static final int Theme_Design_Light_BottomSheetDialog=0x7f0d014f; public static final int Theme_Design_Light_NoActionBar=0x7f0d0150; public static final int Theme_Design_NoActionBar=0x7f0d0151; public static final int Theme_MaterialComponents=0x7f0d0152; public static final int Theme_MaterialComponents_BottomSheetDialog=0x7f0d0153; public static final int Theme_MaterialComponents_Bridge=0x7f0d0154; public static final int Theme_MaterialComponents_CompactMenu=0x7f0d0155; public static final int Theme_MaterialComponents_Dialog=0x7f0d0156; public static final int Theme_MaterialComponents_Dialog_Alert=0x7f0d0157; public static final int Theme_MaterialComponents_Dialog_MinWidth=0x7f0d0158; public static final int Theme_MaterialComponents_DialogWhenLarge=0x7f0d0159; public static final int Theme_MaterialComponents_Light=0x7f0d015a; public static final int Theme_MaterialComponents_Light_BottomSheetDialog=0x7f0d015b; public static final int Theme_MaterialComponents_Light_Bridge=0x7f0d015c; public static final int Theme_MaterialComponents_Light_DarkActionBar=0x7f0d015d; public static final int Theme_MaterialComponents_Light_DarkActionBar_Bridge=0x7f0d015e; public static final int Theme_MaterialComponents_Light_Dialog=0x7f0d015f; public static final int Theme_MaterialComponents_Light_Dialog_Alert=0x7f0d0160; public static final int Theme_MaterialComponents_Light_Dialog_MinWidth=0x7f0d0161; public static final int Theme_MaterialComponents_Light_DialogWhenLarge=0x7f0d0162; public static final int Theme_MaterialComponents_Light_NoActionBar=0x7f0d0163; public static final int Theme_MaterialComponents_Light_NoActionBar_Bridge=0x7f0d0164; public static final int Theme_MaterialComponents_NoActionBar=0x7f0d0165; public static final int Theme_MaterialComponents_NoActionBar_Bridge=0x7f0d0166; public static final int ThemeOverlay_AppCompat=0x7f0d0167; public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0d0168; public static final int ThemeOverlay_AppCompat_Dark=0x7f0d0169; public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0d016a; public static final int ThemeOverlay_AppCompat_DayNight=0x7f0d016b; public static final int ThemeOverlay_AppCompat_DayNight_ActionBar=0x7f0d016c; public static final int ThemeOverlay_AppCompat_Dialog=0x7f0d016d; public static final int ThemeOverlay_AppCompat_Dialog_Alert=0x7f0d016e; public static final int ThemeOverlay_AppCompat_Light=0x7f0d016f; public static final int ThemeOverlay_MaterialComponents=0x7f0d0170; public static final int ThemeOverlay_MaterialComponents_ActionBar=0x7f0d0171; public static final int ThemeOverlay_MaterialComponents_Dark=0x7f0d0172; public static final int ThemeOverlay_MaterialComponents_Dark_ActionBar=0x7f0d0173; public static final int ThemeOverlay_MaterialComponents_Dialog=0x7f0d0174; public static final int ThemeOverlay_MaterialComponents_Dialog_Alert=0x7f0d0175; public static final int ThemeOverlay_MaterialComponents_Light=0x7f0d0176; public static final int ThemeOverlay_MaterialComponents_TextInputEditText=0x7f0d0177; public static final int ThemeOverlay_MaterialComponents_TextInputEditText_FilledBox=0x7f0d0178; public static final int ThemeOverlay_MaterialComponents_TextInputEditText_FilledBox_Dense=0x7f0d0179; public static final int ThemeOverlay_MaterialComponents_TextInputEditText_OutlinedBox=0x7f0d017a; public static final int ThemeOverlay_MaterialComponents_TextInputEditText_OutlinedBox_Dense=0x7f0d017b; public static final int Widget_AppCompat_ActionBar=0x7f0d017c; public static final int Widget_AppCompat_ActionBar_Solid=0x7f0d017d; public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0d017e; public static final int Widget_AppCompat_ActionBar_TabText=0x7f0d017f; public static final int Widget_AppCompat_ActionBar_TabView=0x7f0d0180; public static final int Widget_AppCompat_ActionButton=0x7f0d0181; public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0d0182; public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0d0183; public static final int Widget_AppCompat_ActionMode=0x7f0d0184; public static final int Widget_AppCompat_ActivityChooserView=0x7f0d0185; public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0d0186; public static final int Widget_AppCompat_Button=0x7f0d0187; public static final int Widget_AppCompat_Button_Borderless=0x7f0d0188; public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f0d0189; public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0d018a; public static final int Widget_AppCompat_Button_Colored=0x7f0d018b; public static final int Widget_AppCompat_Button_Small=0x7f0d018c; public static final int Widget_AppCompat_ButtonBar=0x7f0d018d; public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f0d018e; public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f0d018f; public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f0d0190; public static final int Widget_AppCompat_CompoundButton_Switch=0x7f0d0191; public static final int Widget_AppCompat_DrawerArrowToggle=0x7f0d0192; public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f0d0193; public static final int Widget_AppCompat_EditText=0x7f0d0194; public static final int Widget_AppCompat_ImageButton=0x7f0d0195; public static final int Widget_AppCompat_Light_ActionBar=0x7f0d0196; public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f0d0197; public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f0d0198; public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f0d0199; public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f0d019a; public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f0d019b; public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0d019c; public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f0d019d; public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f0d019e; public static final int Widget_AppCompat_Light_ActionButton=0x7f0d019f; public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f0d01a0; public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f0d01a1; public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f0d01a2; public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f0d01a3; public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f0d01a4; public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f0d01a5; public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f0d01a6; public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f0d01a7; public static final int Widget_AppCompat_Light_PopupMenu=0x7f0d01a8; public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0d01a9; public static final int Widget_AppCompat_Light_SearchView=0x7f0d01aa; public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f0d01ab; public static final int Widget_AppCompat_ListMenuView=0x7f0d01ac; public static final int Widget_AppCompat_ListPopupWindow=0x7f0d01ad; public static final int Widget_AppCompat_ListView=0x7f0d01ae; public static final int Widget_AppCompat_ListView_DropDown=0x7f0d01af; public static final int Widget_AppCompat_ListView_Menu=0x7f0d01b0; public static final int Widget_AppCompat_PopupMenu=0x7f0d01b1; public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f0d01b2; public static final int Widget_AppCompat_PopupWindow=0x7f0d01b3; public static final int Widget_AppCompat_ProgressBar=0x7f0d01b4; public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f0d01b5; public static final int Widget_AppCompat_RatingBar=0x7f0d01b6; public static final int Widget_AppCompat_RatingBar_Indicator=0x7f0d01b7; public static final int Widget_AppCompat_RatingBar_Small=0x7f0d01b8; public static final int Widget_AppCompat_SearchView=0x7f0d01b9; public static final int Widget_AppCompat_SearchView_ActionBar=0x7f0d01ba; public static final int Widget_AppCompat_SeekBar=0x7f0d01bb; public static final int Widget_AppCompat_SeekBar_Discrete=0x7f0d01bc; public static final int Widget_AppCompat_Spinner=0x7f0d01bd; public static final int Widget_AppCompat_Spinner_DropDown=0x7f0d01be; public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f0d01bf; public static final int Widget_AppCompat_Spinner_Underlined=0x7f0d01c0; public static final int Widget_AppCompat_TextView=0x7f0d01c1; public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f0d01c2; public static final int Widget_AppCompat_Toolbar=0x7f0d01c3; public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f0d01c4; public static final int Widget_Compat_NotificationActionContainer=0x7f0d01c5; public static final int Widget_Compat_NotificationActionText=0x7f0d01c6; public static final int Widget_Design_AppBarLayout=0x7f0d01c7; public static final int Widget_Design_BottomNavigationView=0x7f0d01c8; public static final int Widget_Design_BottomSheet_Modal=0x7f0d01c9; public static final int Widget_Design_CollapsingToolbar=0x7f0d01ca; public static final int Widget_Design_FloatingActionButton=0x7f0d01cb; public static final int Widget_Design_NavigationView=0x7f0d01cc; public static final int Widget_Design_ScrimInsetsFrameLayout=0x7f0d01cd; public static final int Widget_Design_Snackbar=0x7f0d01ce; public static final int Widget_Design_TabLayout=0x7f0d01cf; public static final int Widget_Design_TextInputLayout=0x7f0d01d0; public static final int Widget_MaterialComponents_BottomAppBar=0x7f0d01d1; public static final int Widget_MaterialComponents_BottomAppBar_Colored=0x7f0d01d2; public static final int Widget_MaterialComponents_BottomNavigationView=0x7f0d01d3; public static final int Widget_MaterialComponents_BottomNavigationView_Colored=0x7f0d01d4; public static final int Widget_MaterialComponents_BottomSheet_Modal=0x7f0d01d5; public static final int Widget_MaterialComponents_Button=0x7f0d01d6; public static final int Widget_MaterialComponents_Button_Icon=0x7f0d01d7; public static final int Widget_MaterialComponents_Button_OutlinedButton=0x7f0d01d8; public static final int Widget_MaterialComponents_Button_OutlinedButton_Icon=0x7f0d01d9; public static final int Widget_MaterialComponents_Button_TextButton=0x7f0d01da; public static final int Widget_MaterialComponents_Button_TextButton_Dialog=0x7f0d01db; public static final int Widget_MaterialComponents_Button_TextButton_Dialog_Icon=0x7f0d01dc; public static final int Widget_MaterialComponents_Button_TextButton_Icon=0x7f0d01dd; public static final int Widget_MaterialComponents_Button_UnelevatedButton=0x7f0d01de; public static final int Widget_MaterialComponents_Button_UnelevatedButton_Icon=0x7f0d01df; public static final int Widget_MaterialComponents_CardView=0x7f0d01e0; public static final int Widget_MaterialComponents_Chip_Action=0x7f0d01e1; public static final int Widget_MaterialComponents_Chip_Choice=0x7f0d01e2; public static final int Widget_MaterialComponents_Chip_Entry=0x7f0d01e3; public static final int Widget_MaterialComponents_Chip_Filter=0x7f0d01e4; public static final int Widget_MaterialComponents_ChipGroup=0x7f0d01e5; public static final int Widget_MaterialComponents_FloatingActionButton=0x7f0d01e6; public static final int Widget_MaterialComponents_NavigationView=0x7f0d01e7; public static final int Widget_MaterialComponents_Snackbar=0x7f0d01e8; public static final int Widget_MaterialComponents_Snackbar_FullWidth=0x7f0d01e9; public static final int Widget_MaterialComponents_TabLayout=0x7f0d01ea; public static final int Widget_MaterialComponents_TabLayout_Colored=0x7f0d01eb; public static final int Widget_MaterialComponents_TextInputEditText_FilledBox=0x7f0d01ec; public static final int Widget_MaterialComponents_TextInputEditText_FilledBox_Dense=0x7f0d01ed; public static final int Widget_MaterialComponents_TextInputEditText_OutlinedBox=0x7f0d01ee; public static final int Widget_MaterialComponents_TextInputEditText_OutlinedBox_Dense=0x7f0d01ef; public static final int Widget_MaterialComponents_TextInputLayout_FilledBox=0x7f0d01f0; public static final int Widget_MaterialComponents_TextInputLayout_FilledBox_Dense=0x7f0d01f1; public static final int Widget_MaterialComponents_TextInputLayout_OutlinedBox=0x7f0d01f2; public static final int Widget_MaterialComponents_TextInputLayout_OutlinedBox_Dense=0x7f0d01f3; public static final int Widget_MaterialComponents_Toolbar=0x7f0d01f4; public static final int Widget_Support_CoordinatorLayout=0x7f0d01f5; } public static final class styleable { /** * 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 org.lamw.pascalid1:background}</code></td><td>Specifies a background drawable for the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_backgroundSplit org.lamw.pascalid1:backgroundSplit}</code></td><td>Specifies a background drawable for the bottom component of a split action bar.</td></tr> * <tr><td><code>{@link #ActionBar_backgroundStacked org.lamw.pascalid1:backgroundStacked}</code></td><td>Specifies a background drawable for a second stacked row of the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetEnd org.lamw.pascalid1:contentInsetEnd}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetEndWithActions org.lamw.pascalid1:contentInsetEndWithActions}</code></td><td>Minimum inset for content views within a bar when actions from a menu * are present.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetLeft org.lamw.pascalid1:contentInsetLeft}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetRight org.lamw.pascalid1:contentInsetRight}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetStart org.lamw.pascalid1:contentInsetStart}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetStartWithNavigation org.lamw.pascalid1:contentInsetStartWithNavigation}</code></td><td>Minimum inset for content views within a bar when a navigation button * is present, such as the Up button.</td></tr> * <tr><td><code>{@link #ActionBar_customNavigationLayout org.lamw.pascalid1:customNavigationLayout}</code></td><td>Specifies a layout for custom navigation.</td></tr> * <tr><td><code>{@link #ActionBar_displayOptions org.lamw.pascalid1:displayOptions}</code></td><td>Options affecting how the action bar is displayed.</td></tr> * <tr><td><code>{@link #ActionBar_divider org.lamw.pascalid1:divider}</code></td><td>Specifies the drawable used for item dividers.</td></tr> * <tr><td><code>{@link #ActionBar_elevation org.lamw.pascalid1:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #ActionBar_height org.lamw.pascalid1:height}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_hideOnContentScroll org.lamw.pascalid1:hideOnContentScroll}</code></td><td>Set true to hide the action bar on a vertical nested scroll of content.</td></tr> * <tr><td><code>{@link #ActionBar_homeAsUpIndicator org.lamw.pascalid1:homeAsUpIndicator}</code></td><td>Specifies a drawable to use for the 'home as up' indicator.</td></tr> * <tr><td><code>{@link #ActionBar_homeLayout org.lamw.pascalid1:homeLayout}</code></td><td>Specifies a layout to use for the "home" section of the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_icon org.lamw.pascalid1:icon}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_indeterminateProgressStyle org.lamw.pascalid1:indeterminateProgressStyle}</code></td><td>Specifies a style resource to use for an indeterminate progress spinner.</td></tr> * <tr><td><code>{@link #ActionBar_itemPadding org.lamw.pascalid1:itemPadding}</code></td><td>Specifies padding that should be applied to the left and right sides of * system-provided items in the bar.</td></tr> * <tr><td><code>{@link #ActionBar_logo org.lamw.pascalid1:logo}</code></td><td>Specifies the drawable used for the application logo.</td></tr> * <tr><td><code>{@link #ActionBar_navigationMode org.lamw.pascalid1:navigationMode}</code></td><td>The type of navigation to use.</td></tr> * <tr><td><code>{@link #ActionBar_popupTheme org.lamw.pascalid1:popupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_progressBarPadding org.lamw.pascalid1:progressBarPadding}</code></td><td>Specifies the horizontal padding on either end for an embedded progress bar.</td></tr> * <tr><td><code>{@link #ActionBar_progressBarStyle org.lamw.pascalid1:progressBarStyle}</code></td><td>Specifies a style resource to use for an embedded progress bar.</td></tr> * <tr><td><code>{@link #ActionBar_subtitle org.lamw.pascalid1:subtitle}</code></td><td>Specifies subtitle text used for navigationMode="normal"</td></tr> * <tr><td><code>{@link #ActionBar_subtitleTextStyle org.lamw.pascalid1:subtitleTextStyle}</code></td><td>Specifies a style to use for subtitle text.</td></tr> * <tr><td><code>{@link #ActionBar_title org.lamw.pascalid1:title}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_titleTextStyle org.lamw.pascalid1:titleTextStyle}</code></td><td>Specifies a style to use for title text.</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={ 0x7f030031, 0x7f030032, 0x7f030033, 0x7f030092, 0x7f030093, 0x7f030094, 0x7f030095, 0x7f030096, 0x7f030097, 0x7f0300a5, 0x7f0300aa, 0x7f0300ab, 0x7f0300be, 0x7f0300e8, 0x7f0300ed, 0x7f0300f2, 0x7f0300f3, 0x7f0300f5, 0x7f0300ff, 0x7f030109, 0x7f030130, 0x7f03013c, 0x7f03014d, 0x7f030151, 0x7f030152, 0x7f030180, 0x7f030183, 0x7f0301c9, 0x7f0301d3 }; /** * <p> * @attr description * Specifies a background drawable for the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:background */ public static final int ActionBar_background=0; /** * <p> * @attr description * Specifies a background drawable for the bottom component of a split action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:backgroundSplit */ public static final int ActionBar_backgroundSplit=1; /** * <p> * @attr description * Specifies a background drawable for a second stacked row of the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:backgroundStacked */ public static final int ActionBar_backgroundStacked=2; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetEnd */ public static final int ActionBar_contentInsetEnd=3; /** * <p> * @attr description * Minimum inset for content views within a bar when actions from a menu * are present. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetEndWithActions */ public static final int ActionBar_contentInsetEndWithActions=4; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetLeft */ public static final int ActionBar_contentInsetLeft=5; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetRight */ public static final int ActionBar_contentInsetRight=6; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetStart */ public static final int ActionBar_contentInsetStart=7; /** * <p> * @attr description * Minimum inset for content views within a bar when a navigation button * is present, such as the Up button. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetStartWithNavigation */ public static final int ActionBar_contentInsetStartWithNavigation=8; /** * <p> * @attr description * Specifies a layout for custom navigation. Overrides navigationMode. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:customNavigationLayout */ public static final int ActionBar_customNavigationLayout=9; /** * <p> * @attr description * Options affecting how the action bar is displayed. * * <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 org.lamw.pascalid1:displayOptions */ public static final int ActionBar_displayOptions=10; /** * <p> * @attr description * Specifies the drawable used for item dividers. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:divider */ public static final int ActionBar_divider=11; /** * <p> * @attr description * Elevation for the action bar itself * * <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 org.lamw.pascalid1:elevation */ public static final int ActionBar_elevation=12; /** * <p> * @attr description * Specifies a fixed height. * * <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 org.lamw.pascalid1:height */ public static final int ActionBar_height=13; /** * <p> * @attr description * Set true to hide the action bar on a vertical nested scroll of content. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:hideOnContentScroll */ public static final int ActionBar_hideOnContentScroll=14; /** * <p> * @attr description * Up navigation glyph * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:homeAsUpIndicator */ public static final int ActionBar_homeAsUpIndicator=15; /** * <p> * @attr description * Specifies a layout to use for the "home" section of the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:homeLayout */ public static final int ActionBar_homeLayout=16; /** * <p> * @attr description * Specifies the drawable used for the application icon. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:icon */ public static final int ActionBar_icon=17; /** * <p> * @attr description * Specifies a style resource to use for an indeterminate progress spinner. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:indeterminateProgressStyle */ public static final int ActionBar_indeterminateProgressStyle=18; /** * <p> * @attr description * Specifies padding that should be applied to the left and right sides of * system-provided items in the bar. * * <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 org.lamw.pascalid1:itemPadding */ public static final int ActionBar_itemPadding=19; /** * <p> * @attr description * Specifies the drawable used for the application logo. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:logo */ public static final int ActionBar_logo=20; /** * <p> * @attr description * The type of navigation to use. * * <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>The action bar will use a selection list for navigation.</td></tr> * <tr><td>normal</td><td>0</td><td>Normal static title text</td></tr> * <tr><td>tabMode</td><td>2</td><td>The action bar will use a series of horizontal tabs for navigation.</td></tr> * </table> * * @attr name org.lamw.pascalid1:navigationMode */ public static final int ActionBar_navigationMode=21; /** * <p> * @attr description * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:popupTheme */ public static final int ActionBar_popupTheme=22; /** * <p> * @attr description * Specifies the horizontal padding on either end for an embedded progress bar. * * <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 org.lamw.pascalid1:progressBarPadding */ public static final int ActionBar_progressBarPadding=23; /** * <p> * @attr description * Specifies a style resource to use for an embedded progress bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:progressBarStyle */ public static final int ActionBar_progressBarStyle=24; /** * <p> * @attr description * Specifies subtitle text used for navigationMode="normal" * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:subtitle */ public static final int ActionBar_subtitle=25; /** * <p> * @attr description * Specifies a style to use for subtitle text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:subtitleTextStyle */ public static final int ActionBar_subtitleTextStyle=26; /** * <p> * @attr description * Specifies title text used for navigationMode="normal" * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:title */ public static final int ActionBar_title=27; /** * <p> * @attr description * Specifies a style to use for title text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1: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 org.lamw.pascalid1:background}</code></td><td>Specifies a background drawable for the action bar.</td></tr> * <tr><td><code>{@link #ActionMode_backgroundSplit org.lamw.pascalid1:backgroundSplit}</code></td><td>Specifies a background drawable for the bottom component of a split action bar.</td></tr> * <tr><td><code>{@link #ActionMode_closeItemLayout org.lamw.pascalid1:closeItemLayout}</code></td><td>Specifies a layout to use for the "close" item at the starting edge.</td></tr> * <tr><td><code>{@link #ActionMode_height org.lamw.pascalid1:height}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_subtitleTextStyle org.lamw.pascalid1:subtitleTextStyle}</code></td><td>Specifies a style to use for subtitle text.</td></tr> * <tr><td><code>{@link #ActionMode_titleTextStyle org.lamw.pascalid1:titleTextStyle}</code></td><td>Specifies a style to use for title text.</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={ 0x7f030031, 0x7f030032, 0x7f03007f, 0x7f0300e8, 0x7f030183, 0x7f0301d3 }; /** * <p> * @attr description * Specifies a background for the action mode bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:background */ public static final int ActionMode_background=0; /** * <p> * @attr description * Specifies a background for the split action mode bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:backgroundSplit */ public static final int ActionMode_backgroundSplit=1; /** * <p> * @attr description * Specifies a layout to use for the "close" item at the starting edge. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:closeItemLayout */ public static final int ActionMode_closeItemLayout=2; /** * <p> * @attr description * Specifies a fixed height for the action mode bar. * * <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 org.lamw.pascalid1:height */ public static final int ActionMode_height=3; /** * <p> * @attr description * Specifies a style to use for subtitle text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:subtitleTextStyle */ public static final int ActionMode_subtitleTextStyle=4; /** * <p> * @attr description * Specifies a style to use for title text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1: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 org.lamw.pascalid1:expandActivityOverflowButtonDrawable}</code></td><td>The drawable to show in the button for expanding the activities overflow popup.</td></tr> * <tr><td><code>{@link #ActivityChooserView_initialActivityCount org.lamw.pascalid1:initialActivityCount}</code></td><td>The maximal number of items initially shown in the activity list.</td></tr> * </table> * @see #ActivityChooserView_expandActivityOverflowButtonDrawable * @see #ActivityChooserView_initialActivityCount */ public static final int[] ActivityChooserView={ 0x7f0300c3, 0x7f030100 }; /** * <p> * @attr description * The drawable to show in the button for expanding the activities overflow popup. * <strong>Note:</strong> Clients would like to set this drawable * as a clue about the action the chosen activity will perform. For * example, if share activity is to be chosen the drawable should * give a clue that sharing is to be performed. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:expandActivityOverflowButtonDrawable */ public static final int ActivityChooserView_expandActivityOverflowButtonDrawable=0; /** * <p> * @attr description * The maximal number of items initially shown in the activity list. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:initialActivityCount */ public static final int ActivityChooserView_initialActivityCount=1; /** * 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 org.lamw.pascalid1:buttonIconDimen}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_buttonPanelSideLayout org.lamw.pascalid1:buttonPanelSideLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_listItemLayout org.lamw.pascalid1:listItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_listLayout org.lamw.pascalid1:listLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_multiChoiceItemLayout org.lamw.pascalid1:multiChoiceItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_showTitle org.lamw.pascalid1:showTitle}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_singleChoiceItemLayout org.lamw.pascalid1: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, 0x7f030053, 0x7f030054, 0x7f030125, 0x7f030126, 0x7f030139, 0x7f030168, 0x7f030169 }; /** * <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 org.lamw.pascalid1.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 org.lamw.pascalid1:buttonIconDimen */ public static final int AlertDialog_buttonIconDimen=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:buttonPanelSideLayout */ public static final int AlertDialog_buttonPanelSideLayout=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:listItemLayout */ public static final int AlertDialog_listItemLayout=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:listLayout */ public static final int AlertDialog_listLayout=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:multiChoiceItemLayout */ public static final int AlertDialog_multiChoiceItemLayout=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:showTitle */ public static final int AlertDialog_showTitle=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:singleChoiceItemLayout */ public static final int AlertDialog_singleChoiceItemLayout=7; /** * Attributes that can be used with a AnimatedStateListDrawableCompat. * <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 #AnimatedStateListDrawableCompat_android_dither android:dither}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_variablePadding android:variablePadding}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_constantSize android:constantSize}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_enterFadeDuration android:enterFadeDuration}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_exitFadeDuration android:exitFadeDuration}</code></td><td></td></tr> * </table> * @see #AnimatedStateListDrawableCompat_android_dither * @see #AnimatedStateListDrawableCompat_android_visible * @see #AnimatedStateListDrawableCompat_android_variablePadding * @see #AnimatedStateListDrawableCompat_android_constantSize * @see #AnimatedStateListDrawableCompat_android_enterFadeDuration * @see #AnimatedStateListDrawableCompat_android_exitFadeDuration */ public static final int[] AnimatedStateListDrawableCompat={ 0x0101011c, 0x01010194, 0x01010195, 0x01010196, 0x0101030c, 0x0101030d }; /** * <p> * @attr description * Enables or disables dithering of the bitmap if the bitmap does not have the * same pixel configuration as the screen (for instance: a ARGB 8888 bitmap with * an RGB 565 screen). * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:dither */ public static final int AnimatedStateListDrawableCompat_android_dither=0; /** * <p> * @attr description * Indicates whether the drawable should be initially visible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int AnimatedStateListDrawableCompat_android_visible=1; /** * <p> * @attr description * If true, allows the drawable's padding to change based on the * current state that is selected. If false, the padding will * stay the same (based on the maximum padding of all the states). * Enabling this feature requires that the owner of the drawable * deal with performing layout when the state changes, which is * often not supported. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:variablePadding */ public static final int AnimatedStateListDrawableCompat_android_variablePadding=2; /** * <p> * @attr description * If true, the drawable's reported internal size will remain * constant as the state changes; the size is the maximum of all * of the states. If false, the size will vary based on the * current state. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:constantSize */ public static final int AnimatedStateListDrawableCompat_android_constantSize=3; /** * <p> * @attr description * Amount of time (in milliseconds) to fade in a new state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:enterFadeDuration */ public static final int AnimatedStateListDrawableCompat_android_enterFadeDuration=4; /** * <p> * @attr description * Amount of time (in milliseconds) to fade out an old state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:exitFadeDuration */ public static final int AnimatedStateListDrawableCompat_android_exitFadeDuration=5; /** * Attributes that can be used with a AnimatedStateListDrawableItem. * <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 #AnimatedStateListDrawableItem_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableItem_android_drawable android:drawable}</code></td><td></td></tr> * </table> * @see #AnimatedStateListDrawableItem_android_id * @see #AnimatedStateListDrawableItem_android_drawable */ public static final int[] AnimatedStateListDrawableItem={ 0x010100d0, 0x01010199 }; /** * <p> * @attr description * Keyframe identifier for use in specifying transitions. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 AnimatedStateListDrawableItem_android_id=0; /** * <p> * @attr description * Reference to a drawable resource to use for the frame. If not * given, the drawable must be defined by the first child tag. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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:drawable */ public static final int AnimatedStateListDrawableItem_android_drawable=1; /** * Attributes that can be used with a AnimatedStateListDrawableTransition. * <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 #AnimatedStateListDrawableTransition_android_drawable android:drawable}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableTransition_android_toId android:toId}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableTransition_android_fromId android:fromId}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableTransition_android_reversible android:reversible}</code></td><td></td></tr> * </table> * @see #AnimatedStateListDrawableTransition_android_drawable * @see #AnimatedStateListDrawableTransition_android_toId * @see #AnimatedStateListDrawableTransition_android_fromId * @see #AnimatedStateListDrawableTransition_android_reversible */ public static final int[] AnimatedStateListDrawableTransition={ 0x01010199, 0x01010449, 0x0101044a, 0x0101044b }; /** * <p> * @attr description * Reference to a animation drawable resource to use for the frame. If not * given, the animation drawable must be defined by the first child tag. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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:drawable */ public static final int AnimatedStateListDrawableTransition_android_drawable=0; /** * <p> * @attr description * Keyframe identifier for the ending state. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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:toId */ public static final int AnimatedStateListDrawableTransition_android_toId=1; /** * <p> * @attr description * Keyframe identifier for the starting state. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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:fromId */ public static final int AnimatedStateListDrawableTransition_android_fromId=2; /** * <p> * @attr description * Whether this transition is reversible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:reversible */ public static final int AnimatedStateListDrawableTransition_android_reversible=3; /** * 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 org.lamw.pascalid1:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #AppBarLayout_expanded org.lamw.pascalid1:expanded}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_liftOnScroll org.lamw.pascalid1:liftOnScroll}</code></td><td></td></tr> * </table> * @see #AppBarLayout_android_background * @see #AppBarLayout_android_touchscreenBlocksFocus * @see #AppBarLayout_android_keyboardNavigationCluster * @see #AppBarLayout_elevation * @see #AppBarLayout_expanded * @see #AppBarLayout_liftOnScroll */ public static final int[] AppBarLayout={ 0x010100d4, 0x0101048f, 0x01010540, 0x7f0300be, 0x7f0300c4, 0x7f03011e }; /** * <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> * @attr description * Elevation for the action bar itself * * <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 org.lamw.pascalid1:elevation */ public static final int AppBarLayout_elevation=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expanded */ public static final int AppBarLayout_expanded=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#liftOnScroll} * 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 org.lamw.pascalid1:liftOnScroll */ public static final int AppBarLayout_liftOnScroll=5; /** * 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 org.lamw.pascalid1:state_collapsed}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayoutStates_state_collapsible org.lamw.pascalid1:state_collapsible}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayoutStates_state_liftable org.lamw.pascalid1:state_liftable}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayoutStates_state_lifted org.lamw.pascalid1:state_lifted}</code></td><td></td></tr> * </table> * @see #AppBarLayoutStates_state_collapsed * @see #AppBarLayoutStates_state_collapsible * @see #AppBarLayoutStates_state_liftable * @see #AppBarLayoutStates_state_lifted */ public static final int[] AppBarLayoutStates={ 0x7f030176, 0x7f030177, 0x7f030178, 0x7f030179 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:state_collapsed */ public static final int AppBarLayoutStates_state_collapsed=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:state_collapsible */ public static final int AppBarLayoutStates_state_collapsible=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#state_liftable} * 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 org.lamw.pascalid1:state_liftable */ public static final int AppBarLayoutStates_state_liftable=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#state_lifted} * 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 org.lamw.pascalid1:state_lifted */ public static final int AppBarLayoutStates_state_lifted=3; /** * 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 org.lamw.pascalid1:layout_scrollFlags}</code></td><td></td></tr> * <tr><td><code>{@link #AppBarLayout_Layout_layout_scrollInterpolator org.lamw.pascalid1:layout_scrollInterpolator}</code></td><td></td></tr> * </table> * @see #AppBarLayout_Layout_layout_scrollFlags * @see #AppBarLayout_Layout_layout_scrollInterpolator */ public static final int[] AppBarLayout_Layout={ 0x7f03011c, 0x7f03011d }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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> * <tr><td>snapMargins</td><td>20</td><td></td></tr> * </table> * * @attr name org.lamw.pascalid1:layout_scrollFlags */ public static final int AppBarLayout_Layout_layout_scrollFlags=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:srcCompat}</code></td><td>Sets a drawable as the content of this ImageView.</td></tr> * <tr><td><code>{@link #AppCompatImageView_tint org.lamw.pascalid1:tint}</code></td><td>Tint to apply to the image source.</td></tr> * <tr><td><code>{@link #AppCompatImageView_tintMode org.lamw.pascalid1:tintMode}</code></td><td>Blending mode used to apply the image source tint.</td></tr> * </table> * @see #AppCompatImageView_android_src * @see #AppCompatImageView_srcCompat * @see #AppCompatImageView_tint * @see #AppCompatImageView_tintMode */ public static final int[] AppCompatImageView={ 0x01010119, 0x7f030173, 0x7f0301c7, 0x7f0301c8 }; /** * <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> * @attr description * Sets a drawable as the content of this ImageView. Allows the use of vector drawable * when running on older versions of the platform. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:srcCompat */ public static final int AppCompatImageView_srcCompat=1; /** * <p> * @attr description * Tint to apply to the image source. * * <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 org.lamw.pascalid1:tint */ public static final int AppCompatImageView_tint=2; /** * <p> * @attr description * Blending mode used to apply the image source tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:tickMark}</code></td><td>Drawable displayed at each progress position on a seekbar.</td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMarkTint org.lamw.pascalid1:tickMarkTint}</code></td><td>Tint to apply to the tick mark drawable.</td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMarkTintMode org.lamw.pascalid1:tickMarkTintMode}</code></td><td>Blending mode used to apply the tick mark tint.</td></tr> * </table> * @see #AppCompatSeekBar_android_thumb * @see #AppCompatSeekBar_tickMark * @see #AppCompatSeekBar_tickMarkTint * @see #AppCompatSeekBar_tickMarkTintMode */ public static final int[] AppCompatSeekBar={ 0x01010142, 0x7f0301c4, 0x7f0301c5, 0x7f0301c6 }; /** * <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> * @attr description * Drawable displayed at each progress position on a seekbar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:tickMark */ public static final int AppCompatSeekBar_tickMark=1; /** * <p> * @attr description * Tint to apply to the tick mark drawable. * * <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 org.lamw.pascalid1:tickMarkTint */ public static final int AppCompatSeekBar_tickMarkTint=2; /** * <p> * @attr description * Blending mode used to apply the tick mark tint. * * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:autoSizeMaxTextSize}</code></td><td>The maximum text size constraint to be used when auto-sizing text.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeMinTextSize org.lamw.pascalid1:autoSizeMinTextSize}</code></td><td>The minimum text size constraint to be used when auto-sizing text.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizePresetSizes org.lamw.pascalid1:autoSizePresetSizes}</code></td><td>Resource array of dimensions to be used in conjunction with * <code>autoSizeTextType</code> set to <code>uniform</code>.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeStepGranularity org.lamw.pascalid1:autoSizeStepGranularity}</code></td><td>Specify the auto-size step size if <code>autoSizeTextType</code> is set to * <code>uniform</code>.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeTextType org.lamw.pascalid1:autoSizeTextType}</code></td><td>Specify the type of auto-size.</td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableBottomCompat org.lamw.pascalid1:drawableBottomCompat}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableEndCompat org.lamw.pascalid1:drawableEndCompat}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableLeftCompat org.lamw.pascalid1:drawableLeftCompat}</code></td><td>Compound drawables allowing the use of vector drawable when running on older versions * of the platform.</td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableRightCompat org.lamw.pascalid1:drawableRightCompat}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableStartCompat org.lamw.pascalid1:drawableStartCompat}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableTint org.lamw.pascalid1:drawableTint}</code></td><td>Tint to apply to the compound (left, top, etc.) drawables.</td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableTintMode org.lamw.pascalid1:drawableTintMode}</code></td><td>Blending mode used to apply the compound (left, top, etc.) drawables tint.</td></tr> * <tr><td><code>{@link #AppCompatTextView_drawableTopCompat org.lamw.pascalid1:drawableTopCompat}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_firstBaselineToTopHeight org.lamw.pascalid1:firstBaselineToTopHeight}</code></td><td>Distance from the top of the TextView to the first text baseline.</td></tr> * <tr><td><code>{@link #AppCompatTextView_fontFamily org.lamw.pascalid1:fontFamily}</code></td><td>The attribute for the font family.</td></tr> * <tr><td><code>{@link #AppCompatTextView_fontVariationSettings org.lamw.pascalid1:fontVariationSettings}</code></td><td>The variation settings to be applied to the font.</td></tr> * <tr><td><code>{@link #AppCompatTextView_lastBaselineToBottomHeight org.lamw.pascalid1:lastBaselineToBottomHeight}</code></td><td>Distance from the bottom of the TextView to the last text baseline.</td></tr> * <tr><td><code>{@link #AppCompatTextView_lineHeight org.lamw.pascalid1:lineHeight}</code></td><td>Explicit height between lines of text.</td></tr> * <tr><td><code>{@link #AppCompatTextView_textAllCaps org.lamw.pascalid1:textAllCaps}</code></td><td>Present the text in ALL CAPS.</td></tr> * <tr><td><code>{@link #AppCompatTextView_textLocale org.lamw.pascalid1:textLocale}</code></td><td>Set the textLocale by a comma-separated language tag string, * for example "ja-JP,zh-CN".</td></tr> * </table> * @see #AppCompatTextView_android_textAppearance * @see #AppCompatTextView_autoSizeMaxTextSize * @see #AppCompatTextView_autoSizeMinTextSize * @see #AppCompatTextView_autoSizePresetSizes * @see #AppCompatTextView_autoSizeStepGranularity * @see #AppCompatTextView_autoSizeTextType * @see #AppCompatTextView_drawableBottomCompat * @see #AppCompatTextView_drawableEndCompat * @see #AppCompatTextView_drawableLeftCompat * @see #AppCompatTextView_drawableRightCompat * @see #AppCompatTextView_drawableStartCompat * @see #AppCompatTextView_drawableTint * @see #AppCompatTextView_drawableTintMode * @see #AppCompatTextView_drawableTopCompat * @see #AppCompatTextView_firstBaselineToTopHeight * @see #AppCompatTextView_fontFamily * @see #AppCompatTextView_fontVariationSettings * @see #AppCompatTextView_lastBaselineToBottomHeight * @see #AppCompatTextView_lineHeight * @see #AppCompatTextView_textAllCaps * @see #AppCompatTextView_textLocale */ public static final int[] AppCompatTextView={ 0x01010034, 0x7f03002c, 0x7f03002d, 0x7f03002e, 0x7f03002f, 0x7f030030, 0x7f0300af, 0x7f0300b0, 0x7f0300b1, 0x7f0300b2, 0x7f0300b4, 0x7f0300b5, 0x7f0300b6, 0x7f0300b7, 0x7f0300d7, 0x7f0300da, 0x7f0300e2, 0x7f030111, 0x7f03011f, 0x7f0301a3, 0x7f0301bd }; /** * <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> * @attr description * The maximum text size constraint to be used when auto-sizing text. * * <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 org.lamw.pascalid1:autoSizeMaxTextSize */ public static final int AppCompatTextView_autoSizeMaxTextSize=1; /** * <p> * @attr description * The minimum text size constraint to be used when auto-sizing text. * * <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 org.lamw.pascalid1:autoSizeMinTextSize */ public static final int AppCompatTextView_autoSizeMinTextSize=2; /** * <p> * @attr description * Resource array of dimensions to be used in conjunction with * <code>autoSizeTextType</code> set to <code>uniform</code>. Overrides * <code>autoSizeStepGranularity</code> if set. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:autoSizePresetSizes */ public static final int AppCompatTextView_autoSizePresetSizes=3; /** * <p> * @attr description * Specify the auto-size step size if <code>autoSizeTextType</code> is set to * <code>uniform</code>. The default is 1px. Overwrites * <code>autoSizePresetSizes</code> if set. * * <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 org.lamw.pascalid1:autoSizeStepGranularity */ public static final int AppCompatTextView_autoSizeStepGranularity=4; /** * <p> * @attr description * Specify the type of auto-size. Note that this feature is not supported by EditText, * works only for TextView. * * <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>No auto-sizing (default).</td></tr> * <tr><td>uniform</td><td>1</td><td>Uniform horizontal and vertical text size scaling to fit within the * container.</td></tr> * </table> * * @attr name org.lamw.pascalid1:autoSizeTextType */ public static final int AppCompatTextView_autoSizeTextType=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#drawableBottomCompat} * 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 org.lamw.pascalid1:drawableBottomCompat */ public static final int AppCompatTextView_drawableBottomCompat=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#drawableEndCompat} * 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 org.lamw.pascalid1:drawableEndCompat */ public static final int AppCompatTextView_drawableEndCompat=7; /** * <p> * @attr description * Compound drawables allowing the use of vector drawable when running on older versions * of the platform. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:drawableLeftCompat */ public static final int AppCompatTextView_drawableLeftCompat=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#drawableRightCompat} * 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 org.lamw.pascalid1:drawableRightCompat */ public static final int AppCompatTextView_drawableRightCompat=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#drawableStartCompat} * 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 org.lamw.pascalid1:drawableStartCompat */ public static final int AppCompatTextView_drawableStartCompat=10; /** * <p> * @attr description * Tint to apply to the compound (left, top, etc.) drawables. * * <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 org.lamw.pascalid1:drawableTint */ public static final int AppCompatTextView_drawableTint=11; /** * <p> * @attr description * Blending mode used to apply the compound (left, top, etc.) drawables tint. * * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:drawableTintMode */ public static final int AppCompatTextView_drawableTintMode=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#drawableTopCompat} * 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 org.lamw.pascalid1:drawableTopCompat */ public static final int AppCompatTextView_drawableTopCompat=13; /** * <p> * @attr description * Distance from the top of the TextView to the first text baseline. If set, this * overrides the value set for paddingTop. * * <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 org.lamw.pascalid1:firstBaselineToTopHeight */ public static final int AppCompatTextView_firstBaselineToTopHeight=14; /** * <p> * @attr description * The attribute for the font family. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontFamily */ public static final int AppCompatTextView_fontFamily=15; /** * <p> * @attr description * OpenType font variation settings, available after api 26. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontVariationSettings */ public static final int AppCompatTextView_fontVariationSettings=16; /** * <p> * @attr description * Distance from the bottom of the TextView to the last text baseline. If set, this * overrides the value set for paddingBottom. * * <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 org.lamw.pascalid1:lastBaselineToBottomHeight */ public static final int AppCompatTextView_lastBaselineToBottomHeight=17; /** * <p> * @attr description * Explicit height between lines of text. If set, this will override the values set * for lineSpacingExtra and lineSpacingMultiplier. * * <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 org.lamw.pascalid1:lineHeight */ public static final int AppCompatTextView_lineHeight=18; /** * <p> * @attr description * Present the text in ALL CAPS. This may use a small-caps form when available. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAllCaps */ public static final int AppCompatTextView_textAllCaps=19; /** * <p> * @attr description * Set the textLocale by a comma-separated language tag string, * for example "ja-JP,zh-CN". This attribute only takes effect on API 21 and above. * Before API 24, only the first language tag is used. Starting from API 24, * the string will be converted into a {@link android.os.LocaleList} and then used by * {@link android.widget.TextView} * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:textLocale */ public static final int AppCompatTextView_textLocale=20; /** * 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 org.lamw.pascalid1:actionBarDivider}</code></td><td>Custom divider drawable to use for elements in the action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarItemBackground org.lamw.pascalid1:actionBarItemBackground}</code></td><td>Custom item state list drawable background for action bar items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarPopupTheme org.lamw.pascalid1:actionBarPopupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarSize org.lamw.pascalid1:actionBarSize}</code></td><td>Size of the Action Bar, including the contextual * bar used to present Action Modes.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarSplitStyle org.lamw.pascalid1:actionBarSplitStyle}</code></td><td>Reference to a style for the split Action Bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarStyle org.lamw.pascalid1:actionBarStyle}</code></td><td>Reference to a style for the Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabBarStyle org.lamw.pascalid1:actionBarTabBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabStyle org.lamw.pascalid1:actionBarTabStyle}</code></td><td>Default style for tabs within an action bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabTextStyle org.lamw.pascalid1:actionBarTabTextStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTheme org.lamw.pascalid1:actionBarTheme}</code></td><td>Reference to a theme that should be used to inflate the * action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarWidgetTheme org.lamw.pascalid1:actionBarWidgetTheme}</code></td><td>Reference to a theme that should be used to inflate widgets * and layouts destined for the action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionButtonStyle org.lamw.pascalid1:actionButtonStyle}</code></td><td>Default action button style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionDropDownStyle org.lamw.pascalid1:actionDropDownStyle}</code></td><td>Default ActionBar dropdown style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionMenuTextAppearance org.lamw.pascalid1:actionMenuTextAppearance}</code></td><td>TextAppearance style that will be applied to text that * appears within action menu items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionMenuTextColor org.lamw.pascalid1:actionMenuTextColor}</code></td><td>Color for text that appears within action menu items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeBackground org.lamw.pascalid1:actionModeBackground}</code></td><td>Background drawable to use for action mode UI</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCloseButtonStyle org.lamw.pascalid1:actionModeCloseButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCloseDrawable org.lamw.pascalid1:actionModeCloseDrawable}</code></td><td>Drawable to use for the close action mode button</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCopyDrawable org.lamw.pascalid1:actionModeCopyDrawable}</code></td><td>Drawable to use for the Copy action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCutDrawable org.lamw.pascalid1:actionModeCutDrawable}</code></td><td>Drawable to use for the Cut action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeFindDrawable org.lamw.pascalid1:actionModeFindDrawable}</code></td><td>Drawable to use for the Find action button in WebView selection action modes</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModePasteDrawable org.lamw.pascalid1:actionModePasteDrawable}</code></td><td>Drawable to use for the Paste action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModePopupWindowStyle org.lamw.pascalid1:actionModePopupWindowStyle}</code></td><td>PopupWindow style to use for action modes when showing as a window overlay.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeSelectAllDrawable org.lamw.pascalid1:actionModeSelectAllDrawable}</code></td><td>Drawable to use for the Select all action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeShareDrawable org.lamw.pascalid1:actionModeShareDrawable}</code></td><td>Drawable to use for the Share action button in WebView selection action modes</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeSplitBackground org.lamw.pascalid1:actionModeSplitBackground}</code></td><td>Background drawable to use for action mode UI in the lower split bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeStyle org.lamw.pascalid1:actionModeStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeWebSearchDrawable org.lamw.pascalid1:actionModeWebSearchDrawable}</code></td><td>Drawable to use for the Web Search action button in WebView selection action modes</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionOverflowButtonStyle org.lamw.pascalid1:actionOverflowButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionOverflowMenuStyle org.lamw.pascalid1:actionOverflowMenuStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_activityChooserViewStyle org.lamw.pascalid1:activityChooserViewStyle}</code></td><td>Default ActivityChooserView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogButtonGroupStyle org.lamw.pascalid1:alertDialogButtonGroupStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogCenterButtons org.lamw.pascalid1:alertDialogCenterButtons}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogStyle org.lamw.pascalid1:alertDialogStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogTheme org.lamw.pascalid1:alertDialogTheme}</code></td><td>Theme to use for alert dialogs spawned from this theme.</td></tr> * <tr><td><code>{@link #AppCompatTheme_autoCompleteTextViewStyle org.lamw.pascalid1:autoCompleteTextViewStyle}</code></td><td>Default AutoCompleteTextView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_borderlessButtonStyle org.lamw.pascalid1:borderlessButtonStyle}</code></td><td>Style for buttons without an explicit border, often used in groups.</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarButtonStyle org.lamw.pascalid1:buttonBarButtonStyle}</code></td><td>Style for buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarNegativeButtonStyle org.lamw.pascalid1:buttonBarNegativeButtonStyle}</code></td><td>Style for the "negative" buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarNeutralButtonStyle org.lamw.pascalid1:buttonBarNeutralButtonStyle}</code></td><td>Style for the "neutral" buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarPositiveButtonStyle org.lamw.pascalid1:buttonBarPositiveButtonStyle}</code></td><td>Style for the "positive" buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarStyle org.lamw.pascalid1:buttonBarStyle}</code></td><td>Style for button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonStyle org.lamw.pascalid1:buttonStyle}</code></td><td>Normal Button style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonStyleSmall org.lamw.pascalid1:buttonStyleSmall}</code></td><td>Small Button style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_checkboxStyle org.lamw.pascalid1:checkboxStyle}</code></td><td>Default Checkbox style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_checkedTextViewStyle org.lamw.pascalid1:checkedTextViewStyle}</code></td><td>Default CheckedTextView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorAccent org.lamw.pascalid1:colorAccent}</code></td><td>Bright complement to the primary branding color.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorBackgroundFloating org.lamw.pascalid1:colorBackgroundFloating}</code></td><td>Default color of background imagery for floating components, ex.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorButtonNormal org.lamw.pascalid1:colorButtonNormal}</code></td><td>The color applied to framework buttons in their normal state.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlActivated org.lamw.pascalid1:colorControlActivated}</code></td><td>The color applied to framework controls in their activated (ex.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlHighlight org.lamw.pascalid1:colorControlHighlight}</code></td><td>The color applied to framework control highlights (ex.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlNormal org.lamw.pascalid1:colorControlNormal}</code></td><td>The color applied to framework controls in their normal state.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorError org.lamw.pascalid1:colorError}</code></td><td>Color used for error states and things that need to be drawn to * the user's attention.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorPrimary org.lamw.pascalid1:colorPrimary}</code></td><td>The primary branding color for the app.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorPrimaryDark org.lamw.pascalid1:colorPrimaryDark}</code></td><td>Dark variant of the primary branding color.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorSwitchThumbNormal org.lamw.pascalid1:colorSwitchThumbNormal}</code></td><td>The color applied to framework switch thumbs in their normal state.</td></tr> * <tr><td><code>{@link #AppCompatTheme_controlBackground org.lamw.pascalid1:controlBackground}</code></td><td>The background used by framework controls.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogCornerRadius org.lamw.pascalid1:dialogCornerRadius}</code></td><td>Preferred corner radius of dialogs.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogPreferredPadding org.lamw.pascalid1:dialogPreferredPadding}</code></td><td>Preferred padding for dialog content.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogTheme org.lamw.pascalid1:dialogTheme}</code></td><td>Theme to use for dialogs spawned from this theme.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dividerHorizontal org.lamw.pascalid1:dividerHorizontal}</code></td><td>A drawable that may be used as a horizontal divider between visual elements.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dividerVertical org.lamw.pascalid1:dividerVertical}</code></td><td>A drawable that may be used as a vertical divider between visual elements.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dropDownListViewStyle org.lamw.pascalid1:dropDownListViewStyle}</code></td><td>ListPopupWindow compatibility</td></tr> * <tr><td><code>{@link #AppCompatTheme_dropdownListPreferredItemHeight org.lamw.pascalid1:dropdownListPreferredItemHeight}</code></td><td>The preferred item height for dropdown lists.</td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextBackground org.lamw.pascalid1:editTextBackground}</code></td><td>EditText background drawable.</td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextColor org.lamw.pascalid1:editTextColor}</code></td><td>EditText text foreground color.</td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextStyle org.lamw.pascalid1:editTextStyle}</code></td><td>Default EditText style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_homeAsUpIndicator org.lamw.pascalid1:homeAsUpIndicator}</code></td><td>Specifies a drawable to use for the 'home as up' indicator.</td></tr> * <tr><td><code>{@link #AppCompatTheme_imageButtonStyle org.lamw.pascalid1:imageButtonStyle}</code></td><td>ImageButton background drawable.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listChoiceBackgroundIndicator org.lamw.pascalid1:listChoiceBackgroundIndicator}</code></td><td>Drawable used as a background for selected list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listChoiceIndicatorMultipleAnimated org.lamw.pascalid1:listChoiceIndicatorMultipleAnimated}</code></td><td>Animated Drawable to use for single choice indicators.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listChoiceIndicatorSingleAnimated org.lamw.pascalid1:listChoiceIndicatorSingleAnimated}</code></td><td>Animated Drawable to use for multiple choice indicators.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listDividerAlertDialog org.lamw.pascalid1:listDividerAlertDialog}</code></td><td>The list divider used in alert dialogs.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listMenuViewStyle org.lamw.pascalid1:listMenuViewStyle}</code></td><td>Default menu-style ListView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPopupWindowStyle org.lamw.pascalid1:listPopupWindowStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeight org.lamw.pascalid1:listPreferredItemHeight}</code></td><td>The preferred list item height.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightLarge org.lamw.pascalid1:listPreferredItemHeightLarge}</code></td><td>A larger, more robust list item height.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightSmall org.lamw.pascalid1:listPreferredItemHeightSmall}</code></td><td>A smaller, sleeker list item height.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingEnd org.lamw.pascalid1:listPreferredItemPaddingEnd}</code></td><td>The preferred padding along the end edge of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingLeft org.lamw.pascalid1:listPreferredItemPaddingLeft}</code></td><td>The preferred padding along the left edge of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingRight org.lamw.pascalid1:listPreferredItemPaddingRight}</code></td><td>The preferred padding along the right edge of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingStart org.lamw.pascalid1:listPreferredItemPaddingStart}</code></td><td>The preferred padding along the start edge of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_panelBackground org.lamw.pascalid1:panelBackground}</code></td><td>The background of a panel when it is inset from the left and right edges of the screen.</td></tr> * <tr><td><code>{@link #AppCompatTheme_panelMenuListTheme org.lamw.pascalid1:panelMenuListTheme}</code></td><td>Default Panel Menu style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_panelMenuListWidth org.lamw.pascalid1:panelMenuListWidth}</code></td><td>Default Panel Menu width.</td></tr> * <tr><td><code>{@link #AppCompatTheme_popupMenuStyle org.lamw.pascalid1:popupMenuStyle}</code></td><td>Default PopupMenu style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_popupWindowStyle org.lamw.pascalid1:popupWindowStyle}</code></td><td>Default PopupWindow style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_radioButtonStyle org.lamw.pascalid1:radioButtonStyle}</code></td><td>Default RadioButton style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyle org.lamw.pascalid1:ratingBarStyle}</code></td><td>Default RatingBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyleIndicator org.lamw.pascalid1:ratingBarStyleIndicator}</code></td><td>Indicator RatingBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyleSmall org.lamw.pascalid1:ratingBarStyleSmall}</code></td><td>Small indicator RatingBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_searchViewStyle org.lamw.pascalid1:searchViewStyle}</code></td><td>Style for the search query widget.</td></tr> * <tr><td><code>{@link #AppCompatTheme_seekBarStyle org.lamw.pascalid1:seekBarStyle}</code></td><td>Default SeekBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_selectableItemBackground org.lamw.pascalid1:selectableItemBackground}</code></td><td>A style that may be applied to buttons or other selectable items * that should react to pressed and focus states, but that do not * have a clear visual border along the edges.</td></tr> * <tr><td><code>{@link #AppCompatTheme_selectableItemBackgroundBorderless org.lamw.pascalid1:selectableItemBackgroundBorderless}</code></td><td>Background drawable for borderless standalone items that need focus/pressed states.</td></tr> * <tr><td><code>{@link #AppCompatTheme_spinnerDropDownItemStyle org.lamw.pascalid1:spinnerDropDownItemStyle}</code></td><td>Default Spinner style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_spinnerStyle org.lamw.pascalid1:spinnerStyle}</code></td><td>Default Spinner style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_switchStyle org.lamw.pascalid1:switchStyle}</code></td><td>Default style for the Switch widget.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceLargePopupMenu org.lamw.pascalid1:textAppearanceLargePopupMenu}</code></td><td>Text color, typeface, size, and style for the text inside of a popup menu.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItem org.lamw.pascalid1:textAppearanceListItem}</code></td><td>The preferred TextAppearance for the primary text of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSecondary org.lamw.pascalid1:textAppearanceListItemSecondary}</code></td><td>The preferred TextAppearance for the secondary text of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSmall org.lamw.pascalid1:textAppearanceListItemSmall}</code></td><td>The preferred TextAppearance for the primary text of small list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearancePopupMenuHeader org.lamw.pascalid1:textAppearancePopupMenuHeader}</code></td><td>Text color, typeface, size, and style for header text inside of a popup menu.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultSubtitle org.lamw.pascalid1:textAppearanceSearchResultSubtitle}</code></td><td>Text color, typeface, size, and style for system search result subtitle.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultTitle org.lamw.pascalid1:textAppearanceSearchResultTitle}</code></td><td>Text color, typeface, size, and style for system search result title.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSmallPopupMenu org.lamw.pascalid1:textAppearanceSmallPopupMenu}</code></td><td>Text color, typeface, size, and style for small text inside of a popup menu.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textColorAlertDialogListItem org.lamw.pascalid1:textColorAlertDialogListItem}</code></td><td>Color of list item text in alert dialogs.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textColorSearchUrl org.lamw.pascalid1:textColorSearchUrl}</code></td><td>Text color for urls in search suggestions, used by things like global search</td></tr> * <tr><td><code>{@link #AppCompatTheme_toolbarNavigationButtonStyle org.lamw.pascalid1:toolbarNavigationButtonStyle}</code></td><td>Default Toolar NavigationButtonStyle</td></tr> * <tr><td><code>{@link #AppCompatTheme_toolbarStyle org.lamw.pascalid1:toolbarStyle}</code></td><td>Default Toolbar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_tooltipForegroundColor org.lamw.pascalid1:tooltipForegroundColor}</code></td><td>Foreground color to use for tooltips</td></tr> * <tr><td><code>{@link #AppCompatTheme_tooltipFrameBackground org.lamw.pascalid1:tooltipFrameBackground}</code></td><td>Background to use for tooltips</td></tr> * <tr><td><code>{@link #AppCompatTheme_viewInflaterClass org.lamw.pascalid1:viewInflaterClass}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionBar org.lamw.pascalid1:windowActionBar}</code></td><td>Flag indicating whether this window should have an Action Bar * in place of the usual title bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionBarOverlay org.lamw.pascalid1:windowActionBarOverlay}</code></td><td>Flag indicating whether this window's Action Bar should overlay * application content.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionModeOverlay org.lamw.pascalid1:windowActionModeOverlay}</code></td><td>Flag indicating whether action modes should overlay window content * when there is not reserved space for their UI (such as an Action Bar).</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMajor org.lamw.pascalid1:windowFixedHeightMajor}</code></td><td>A fixed height for the window along the major axis of the screen, * that is, when in portrait.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMinor org.lamw.pascalid1:windowFixedHeightMinor}</code></td><td>A fixed height for the window along the minor axis of the screen, * that is, when in landscape.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMajor org.lamw.pascalid1:windowFixedWidthMajor}</code></td><td>A fixed width for the window along the major axis of the screen, * that is, when in landscape.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMinor org.lamw.pascalid1:windowFixedWidthMinor}</code></td><td>A fixed width for the window along the minor axis of the screen, * that is, when in portrait.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowMinWidthMajor org.lamw.pascalid1:windowMinWidthMajor}</code></td><td>The minimum width the window is allowed to be, along the major * axis of the screen.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowMinWidthMinor org.lamw.pascalid1:windowMinWidthMinor}</code></td><td>The minimum width the window is allowed to be, along the minor * axis of the screen.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowNoTitle org.lamw.pascalid1:windowNoTitle}</code></td><td>Flag indicating whether there should be no title on this window.</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_dialogCornerRadius * @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_listChoiceIndicatorMultipleAnimated * @see #AppCompatTheme_listChoiceIndicatorSingleAnimated * @see #AppCompatTheme_listDividerAlertDialog * @see #AppCompatTheme_listMenuViewStyle * @see #AppCompatTheme_listPopupWindowStyle * @see #AppCompatTheme_listPreferredItemHeight * @see #AppCompatTheme_listPreferredItemHeightLarge * @see #AppCompatTheme_listPreferredItemHeightSmall * @see #AppCompatTheme_listPreferredItemPaddingEnd * @see #AppCompatTheme_listPreferredItemPaddingLeft * @see #AppCompatTheme_listPreferredItemPaddingRight * @see #AppCompatTheme_listPreferredItemPaddingStart * @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, 0x7f030000, 0x7f030001, 0x7f030002, 0x7f030003, 0x7f030004, 0x7f030005, 0x7f030006, 0x7f030007, 0x7f030008, 0x7f030009, 0x7f03000a, 0x7f03000b, 0x7f03000c, 0x7f03000e, 0x7f03000f, 0x7f030010, 0x7f030011, 0x7f030012, 0x7f030013, 0x7f030014, 0x7f030015, 0x7f030016, 0x7f030017, 0x7f030018, 0x7f030019, 0x7f03001a, 0x7f03001b, 0x7f03001c, 0x7f03001d, 0x7f03001e, 0x7f030021, 0x7f030022, 0x7f030023, 0x7f030024, 0x7f030025, 0x7f03002b, 0x7f03003e, 0x7f03004c, 0x7f03004d, 0x7f03004e, 0x7f03004f, 0x7f030050, 0x7f030055, 0x7f030056, 0x7f030060, 0x7f030065, 0x7f030085, 0x7f030086, 0x7f030087, 0x7f030088, 0x7f030089, 0x7f03008a, 0x7f03008b, 0x7f03008c, 0x7f03008d, 0x7f03008f, 0x7f03009e, 0x7f0300a7, 0x7f0300a8, 0x7f0300a9, 0x7f0300ac, 0x7f0300ae, 0x7f0300b9, 0x7f0300ba, 0x7f0300bb, 0x7f0300bc, 0x7f0300bd, 0x7f0300f2, 0x7f0300fe, 0x7f030121, 0x7f030122, 0x7f030123, 0x7f030124, 0x7f030127, 0x7f030128, 0x7f030129, 0x7f03012a, 0x7f03012b, 0x7f03012c, 0x7f03012d, 0x7f03012e, 0x7f03012f, 0x7f030144, 0x7f030145, 0x7f030146, 0x7f03014c, 0x7f03014e, 0x7f030155, 0x7f030156, 0x7f030157, 0x7f030158, 0x7f030160, 0x7f030161, 0x7f030162, 0x7f030163, 0x7f030170, 0x7f030171, 0x7f030187, 0x7f0301ae, 0x7f0301af, 0x7f0301b0, 0x7f0301b1, 0x7f0301b3, 0x7f0301b4, 0x7f0301b5, 0x7f0301b6, 0x7f0301b9, 0x7f0301ba, 0x7f0301d5, 0x7f0301d6, 0x7f0301d7, 0x7f0301d8, 0x7f0301df, 0x7f0301e1, 0x7f0301e2, 0x7f0301e3, 0x7f0301e4, 0x7f0301e5, 0x7f0301e6, 0x7f0301e7, 0x7f0301e8, 0x7f0301e9, 0x7f0301ea }; /** * <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> * @attr description * Custom divider drawable to use for elements in the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarDivider */ public static final int AppCompatTheme_actionBarDivider=2; /** * <p> * @attr description * Custom item state list drawable background for action bar items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarItemBackground */ public static final int AppCompatTheme_actionBarItemBackground=3; /** * <p> * @attr description * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarPopupTheme */ public static final int AppCompatTheme_actionBarPopupTheme=4; /** * <p> * @attr description * Size of the Action Bar, including the contextual * bar used to present Action Modes. * * <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 org.lamw.pascalid1:actionBarSize */ public static final int AppCompatTheme_actionBarSize=5; /** * <p> * @attr description * Reference to a style for the split Action Bar. This style * controls the split component that holds the menu/action * buttons. actionBarStyle is still used for the primary * bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarSplitStyle */ public static final int AppCompatTheme_actionBarSplitStyle=6; /** * <p> * @attr description * Reference to a style for the Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarStyle */ public static final int AppCompatTheme_actionBarStyle=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:actionBarTabBarStyle */ public static final int AppCompatTheme_actionBarTabBarStyle=8; /** * <p> * @attr description * Default style for tabs within an action bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarTabStyle */ public static final int AppCompatTheme_actionBarTabStyle=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:actionBarTabTextStyle */ public static final int AppCompatTheme_actionBarTabTextStyle=10; /** * <p> * @attr description * Reference to a theme that should be used to inflate the * action bar. This will be inherited by any widget inflated * into the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarTheme */ public static final int AppCompatTheme_actionBarTheme=11; /** * <p> * @attr description * Reference to a theme that should be used to inflate widgets * and layouts destined for the action bar. Most of the time * this will be a reference to the current theme, but when * the action bar has a significantly different contrast * profile than the rest of the activity the difference * can become important. If this is set to @null the current * theme will be used. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionBarWidgetTheme */ public static final int AppCompatTheme_actionBarWidgetTheme=12; /** * <p> * @attr description * Default action button style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionButtonStyle */ public static final int AppCompatTheme_actionButtonStyle=13; /** * <p> * @attr description * Default ActionBar dropdown style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionDropDownStyle */ public static final int AppCompatTheme_actionDropDownStyle=14; /** * <p> * @attr description * TextAppearance style that will be applied to text that * appears within action menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionMenuTextAppearance */ public static final int AppCompatTheme_actionMenuTextAppearance=15; /** * <p> * @attr description * Color for text that appears within action menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionMenuTextColor */ public static final int AppCompatTheme_actionMenuTextColor=16; /** * <p> * @attr description * Background drawable to use for action mode UI * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeBackground */ public static final int AppCompatTheme_actionModeBackground=17; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:actionModeCloseButtonStyle */ public static final int AppCompatTheme_actionModeCloseButtonStyle=18; /** * <p> * @attr description * Drawable to use for the close action mode button * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeCloseDrawable */ public static final int AppCompatTheme_actionModeCloseDrawable=19; /** * <p> * @attr description * Drawable to use for the Copy action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeCopyDrawable */ public static final int AppCompatTheme_actionModeCopyDrawable=20; /** * <p> * @attr description * Drawable to use for the Cut action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeCutDrawable */ public static final int AppCompatTheme_actionModeCutDrawable=21; /** * <p> * @attr description * Drawable to use for the Find action button in WebView selection action modes * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeFindDrawable */ public static final int AppCompatTheme_actionModeFindDrawable=22; /** * <p> * @attr description * Drawable to use for the Paste action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModePasteDrawable */ public static final int AppCompatTheme_actionModePasteDrawable=23; /** * <p> * @attr description * PopupWindow style to use for action modes when showing as a window overlay. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModePopupWindowStyle */ public static final int AppCompatTheme_actionModePopupWindowStyle=24; /** * <p> * @attr description * Drawable to use for the Select all action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeSelectAllDrawable */ public static final int AppCompatTheme_actionModeSelectAllDrawable=25; /** * <p> * @attr description * Drawable to use for the Share action button in WebView selection action modes * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeShareDrawable */ public static final int AppCompatTheme_actionModeShareDrawable=26; /** * <p> * @attr description * Background drawable to use for action mode UI in the lower split bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeSplitBackground */ public static final int AppCompatTheme_actionModeSplitBackground=27; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:actionModeStyle */ public static final int AppCompatTheme_actionModeStyle=28; /** * <p> * @attr description * Drawable to use for the Web Search action button in WebView selection action modes * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionModeWebSearchDrawable */ public static final int AppCompatTheme_actionModeWebSearchDrawable=29; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:actionOverflowButtonStyle */ public static final int AppCompatTheme_actionOverflowButtonStyle=30; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:actionOverflowMenuStyle */ public static final int AppCompatTheme_actionOverflowMenuStyle=31; /** * <p> * @attr description * Default ActivityChooserView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:activityChooserViewStyle */ public static final int AppCompatTheme_activityChooserViewStyle=32; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:alertDialogButtonGroupStyle */ public static final int AppCompatTheme_alertDialogButtonGroupStyle=33; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:alertDialogCenterButtons */ public static final int AppCompatTheme_alertDialogCenterButtons=34; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:alertDialogStyle */ public static final int AppCompatTheme_alertDialogStyle=35; /** * <p> * @attr description * Theme to use for alert dialogs spawned from this theme. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:alertDialogTheme */ public static final int AppCompatTheme_alertDialogTheme=36; /** * <p> * @attr description * Default AutoCompleteTextView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:autoCompleteTextViewStyle */ public static final int AppCompatTheme_autoCompleteTextViewStyle=37; /** * <p> * @attr description * Style for buttons without an explicit border, often used in groups. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:borderlessButtonStyle */ public static final int AppCompatTheme_borderlessButtonStyle=38; /** * <p> * @attr description * Style for buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonBarButtonStyle */ public static final int AppCompatTheme_buttonBarButtonStyle=39; /** * <p> * @attr description * Style for the "negative" buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonBarNegativeButtonStyle */ public static final int AppCompatTheme_buttonBarNegativeButtonStyle=40; /** * <p> * @attr description * Style for the "neutral" buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonBarNeutralButtonStyle */ public static final int AppCompatTheme_buttonBarNeutralButtonStyle=41; /** * <p> * @attr description * Style for the "positive" buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonBarPositiveButtonStyle */ public static final int AppCompatTheme_buttonBarPositiveButtonStyle=42; /** * <p> * @attr description * Style for button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonBarStyle */ public static final int AppCompatTheme_buttonBarStyle=43; /** * <p> * @attr description * Normal Button style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonStyle */ public static final int AppCompatTheme_buttonStyle=44; /** * <p> * @attr description * Small Button style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonStyleSmall */ public static final int AppCompatTheme_buttonStyleSmall=45; /** * <p> * @attr description * Default Checkbox style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:checkboxStyle */ public static final int AppCompatTheme_checkboxStyle=46; /** * <p> * @attr description * Default CheckedTextView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:checkedTextViewStyle */ public static final int AppCompatTheme_checkedTextViewStyle=47; /** * <p> * @attr description * Bright complement to the primary branding color. By default, this is the color applied * to framework controls (via colorControlActivated). * * <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 org.lamw.pascalid1:colorAccent */ public static final int AppCompatTheme_colorAccent=48; /** * <p> * @attr description * Default color of background imagery for floating components, ex. dialogs, popups, and cards. * * <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 org.lamw.pascalid1:colorBackgroundFloating */ public static final int AppCompatTheme_colorBackgroundFloating=49; /** * <p> * @attr description * The color applied to framework buttons in their normal state. * * <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 org.lamw.pascalid1:colorButtonNormal */ public static final int AppCompatTheme_colorButtonNormal=50; /** * <p> * @attr description * The color applied to framework controls in their activated (ex. checked) state. * * <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 org.lamw.pascalid1:colorControlActivated */ public static final int AppCompatTheme_colorControlActivated=51; /** * <p> * @attr description * The color applied to framework control highlights (ex. ripples, list selectors). * * <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 org.lamw.pascalid1:colorControlHighlight */ public static final int AppCompatTheme_colorControlHighlight=52; /** * <p> * @attr description * The color applied to framework controls in their normal state. * * <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 org.lamw.pascalid1:colorControlNormal */ public static final int AppCompatTheme_colorControlNormal=53; /** * <p> * @attr description * Color used for error states and things that need to be drawn to * the user's attention. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:colorError */ public static final int AppCompatTheme_colorError=54; /** * <p> * @attr description * The primary branding color for the app. By default, this is the color applied to the * action bar background. * * <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 org.lamw.pascalid1:colorPrimary */ public static final int AppCompatTheme_colorPrimary=55; /** * <p> * @attr description * Dark variant of the primary branding color. By default, this is the color applied to * the status bar (via statusBarColor) and navigation bar (via navigationBarColor). * * <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 org.lamw.pascalid1:colorPrimaryDark */ public static final int AppCompatTheme_colorPrimaryDark=56; /** * <p> * @attr description * The color applied to framework switch thumbs in their normal state. * * <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 org.lamw.pascalid1:colorSwitchThumbNormal */ public static final int AppCompatTheme_colorSwitchThumbNormal=57; /** * <p> * @attr description * The background used by framework controls. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:controlBackground */ public static final int AppCompatTheme_controlBackground=58; /** * <p> * @attr description * Preferred corner radius of dialogs. * * <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 org.lamw.pascalid1:dialogCornerRadius */ public static final int AppCompatTheme_dialogCornerRadius=59; /** * <p> * @attr description * Preferred padding for dialog content. * * <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 org.lamw.pascalid1:dialogPreferredPadding */ public static final int AppCompatTheme_dialogPreferredPadding=60; /** * <p> * @attr description * Theme to use for dialogs spawned from this theme. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:dialogTheme */ public static final int AppCompatTheme_dialogTheme=61; /** * <p> * @attr description * A drawable that may be used as a horizontal divider between visual elements. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:dividerHorizontal */ public static final int AppCompatTheme_dividerHorizontal=62; /** * <p> * @attr description * A drawable that may be used as a vertical divider between visual elements. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:dividerVertical */ public static final int AppCompatTheme_dividerVertical=63; /** * <p> * @attr description * ListPopupWindow compatibility * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:dropDownListViewStyle */ public static final int AppCompatTheme_dropDownListViewStyle=64; /** * <p> * @attr description * The preferred item height for dropdown lists. * * <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 org.lamw.pascalid1:dropdownListPreferredItemHeight */ public static final int AppCompatTheme_dropdownListPreferredItemHeight=65; /** * <p> * @attr description * EditText background drawable. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:editTextBackground */ public static final int AppCompatTheme_editTextBackground=66; /** * <p> * @attr description * EditText text foreground color. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:editTextColor */ public static final int AppCompatTheme_editTextColor=67; /** * <p> * @attr description * Default EditText style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:editTextStyle */ public static final int AppCompatTheme_editTextStyle=68; /** * <p> * @attr description * Specifies a drawable to use for the 'home as up' indicator. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:homeAsUpIndicator */ public static final int AppCompatTheme_homeAsUpIndicator=69; /** * <p> * @attr description * ImageButton background drawable. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:imageButtonStyle */ public static final int AppCompatTheme_imageButtonStyle=70; /** * <p> * @attr description * Drawable used as a background for selected list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:listChoiceBackgroundIndicator */ public static final int AppCompatTheme_listChoiceBackgroundIndicator=71; /** * <p> * @attr description * Animated Drawable to use for single choice indicators. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:listChoiceIndicatorMultipleAnimated */ public static final int AppCompatTheme_listChoiceIndicatorMultipleAnimated=72; /** * <p> * @attr description * Animated Drawable to use for multiple choice indicators. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:listChoiceIndicatorSingleAnimated */ public static final int AppCompatTheme_listChoiceIndicatorSingleAnimated=73; /** * <p> * @attr description * The list divider used in alert dialogs. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:listDividerAlertDialog */ public static final int AppCompatTheme_listDividerAlertDialog=74; /** * <p> * @attr description * Default menu-style ListView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:listMenuViewStyle */ public static final int AppCompatTheme_listMenuViewStyle=75; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:listPopupWindowStyle */ public static final int AppCompatTheme_listPopupWindowStyle=76; /** * <p> * @attr description * The preferred list item height. * * <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 org.lamw.pascalid1:listPreferredItemHeight */ public static final int AppCompatTheme_listPreferredItemHeight=77; /** * <p> * @attr description * A larger, more robust list item height. * * <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 org.lamw.pascalid1:listPreferredItemHeightLarge */ public static final int AppCompatTheme_listPreferredItemHeightLarge=78; /** * <p> * @attr description * A smaller, sleeker list item height. * * <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 org.lamw.pascalid1:listPreferredItemHeightSmall */ public static final int AppCompatTheme_listPreferredItemHeightSmall=79; /** * <p> * @attr description * The preferred padding along the end edge of list items. * * <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 org.lamw.pascalid1:listPreferredItemPaddingEnd */ public static final int AppCompatTheme_listPreferredItemPaddingEnd=80; /** * <p> * @attr description * The preferred padding along the left edge of list items. * * <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 org.lamw.pascalid1:listPreferredItemPaddingLeft */ public static final int AppCompatTheme_listPreferredItemPaddingLeft=81; /** * <p> * @attr description * The preferred padding along the right edge of list items. * * <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 org.lamw.pascalid1:listPreferredItemPaddingRight */ public static final int AppCompatTheme_listPreferredItemPaddingRight=82; /** * <p> * @attr description * The preferred padding along the start edge of list items. * * <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 org.lamw.pascalid1:listPreferredItemPaddingStart */ public static final int AppCompatTheme_listPreferredItemPaddingStart=83; /** * <p> * @attr description * The background of a panel when it is inset from the left and right edges of the screen. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:panelBackground */ public static final int AppCompatTheme_panelBackground=84; /** * <p> * @attr description * Default Panel Menu style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:panelMenuListTheme */ public static final int AppCompatTheme_panelMenuListTheme=85; /** * <p> * @attr description * Default Panel Menu width. * * <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 org.lamw.pascalid1:panelMenuListWidth */ public static final int AppCompatTheme_panelMenuListWidth=86; /** * <p> * @attr description * Default PopupMenu style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:popupMenuStyle */ public static final int AppCompatTheme_popupMenuStyle=87; /** * <p> * @attr description * Default PopupWindow style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:popupWindowStyle */ public static final int AppCompatTheme_popupWindowStyle=88; /** * <p> * @attr description * Default RadioButton style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:radioButtonStyle */ public static final int AppCompatTheme_radioButtonStyle=89; /** * <p> * @attr description * Default RatingBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:ratingBarStyle */ public static final int AppCompatTheme_ratingBarStyle=90; /** * <p> * @attr description * Indicator RatingBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:ratingBarStyleIndicator */ public static final int AppCompatTheme_ratingBarStyleIndicator=91; /** * <p> * @attr description * Small indicator RatingBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:ratingBarStyleSmall */ public static final int AppCompatTheme_ratingBarStyleSmall=92; /** * <p> * @attr description * Style for the search query widget. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:searchViewStyle */ public static final int AppCompatTheme_searchViewStyle=93; /** * <p> * @attr description * Default SeekBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:seekBarStyle */ public static final int AppCompatTheme_seekBarStyle=94; /** * <p> * @attr description * A style that may be applied to buttons or other selectable items * that should react to pressed and focus states, but that do not * have a clear visual border along the edges. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:selectableItemBackground */ public static final int AppCompatTheme_selectableItemBackground=95; /** * <p> * @attr description * Background drawable for borderless standalone items that need focus/pressed states. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:selectableItemBackgroundBorderless */ public static final int AppCompatTheme_selectableItemBackgroundBorderless=96; /** * <p> * @attr description * Default Spinner style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:spinnerDropDownItemStyle */ public static final int AppCompatTheme_spinnerDropDownItemStyle=97; /** * <p> * @attr description * Default Spinner style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:spinnerStyle */ public static final int AppCompatTheme_spinnerStyle=98; /** * <p> * @attr description * Default style for the Switch widget. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:switchStyle */ public static final int AppCompatTheme_switchStyle=99; /** * <p> * @attr description * Text color, typeface, size, and style for the text inside of a popup menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceLargePopupMenu */ public static final int AppCompatTheme_textAppearanceLargePopupMenu=100; /** * <p> * @attr description * The preferred TextAppearance for the primary text of list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceListItem */ public static final int AppCompatTheme_textAppearanceListItem=101; /** * <p> * @attr description * The preferred TextAppearance for the secondary text of list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceListItemSecondary */ public static final int AppCompatTheme_textAppearanceListItemSecondary=102; /** * <p> * @attr description * The preferred TextAppearance for the primary text of small list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceListItemSmall */ public static final int AppCompatTheme_textAppearanceListItemSmall=103; /** * <p> * @attr description * Text color, typeface, size, and style for header text inside of a popup menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearancePopupMenuHeader */ public static final int AppCompatTheme_textAppearancePopupMenuHeader=104; /** * <p> * @attr description * Text color, typeface, size, and style for system search result subtitle. Defaults to primary inverse text color. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceSearchResultSubtitle */ public static final int AppCompatTheme_textAppearanceSearchResultSubtitle=105; /** * <p> * @attr description * Text color, typeface, size, and style for system search result title. Defaults to primary inverse text color. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceSearchResultTitle */ public static final int AppCompatTheme_textAppearanceSearchResultTitle=106; /** * <p> * @attr description * Text color, typeface, size, and style for small text inside of a popup menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAppearanceSmallPopupMenu */ public static final int AppCompatTheme_textAppearanceSmallPopupMenu=107; /** * <p> * @attr description * Color of list item text in alert dialogs. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textColorAlertDialogListItem */ public static final int AppCompatTheme_textColorAlertDialogListItem=108; /** * <p> * @attr description * Text color for urls in search suggestions, used by things like global search * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textColorSearchUrl */ public static final int AppCompatTheme_textColorSearchUrl=109; /** * <p> * @attr description * Default Toolar NavigationButtonStyle * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:toolbarNavigationButtonStyle */ public static final int AppCompatTheme_toolbarNavigationButtonStyle=110; /** * <p> * @attr description * Default Toolbar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:toolbarStyle */ public static final int AppCompatTheme_toolbarStyle=111; /** * <p> * @attr description * Foreground color to use for tooltips * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:tooltipForegroundColor */ public static final int AppCompatTheme_tooltipForegroundColor=112; /** * <p> * @attr description * Background to use for tooltips * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:tooltipFrameBackground */ public static final int AppCompatTheme_tooltipFrameBackground=113; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:viewInflaterClass */ public static final int AppCompatTheme_viewInflaterClass=114; /** * <p> * @attr description * Flag indicating whether this window should have an Action Bar * in place of the usual title bar. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:windowActionBar */ public static final int AppCompatTheme_windowActionBar=115; /** * <p> * @attr description * Flag indicating whether this window's Action Bar should overlay * application content. Does nothing if the window would not * have an Action Bar. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:windowActionBarOverlay */ public static final int AppCompatTheme_windowActionBarOverlay=116; /** * <p> * @attr description * Flag indicating whether action modes should overlay window content * when there is not reserved space for their UI (such as an Action Bar). * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:windowActionModeOverlay */ public static final int AppCompatTheme_windowActionModeOverlay=117; /** * <p> * @attr description * A fixed height for the window along the major axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <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 org.lamw.pascalid1:windowFixedHeightMajor */ public static final int AppCompatTheme_windowFixedHeightMajor=118; /** * <p> * @attr description * A fixed height for the window along the minor axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <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 org.lamw.pascalid1:windowFixedHeightMinor */ public static final int AppCompatTheme_windowFixedHeightMinor=119; /** * <p> * @attr description * A fixed width for the window along the major axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <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 org.lamw.pascalid1:windowFixedWidthMajor */ public static final int AppCompatTheme_windowFixedWidthMajor=120; /** * <p> * @attr description * A fixed width for the window along the minor axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <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 org.lamw.pascalid1:windowFixedWidthMinor */ public static final int AppCompatTheme_windowFixedWidthMinor=121; /** * <p> * @attr description * The minimum width the window is allowed to be, along the major * axis of the screen. That is, when in landscape. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * * <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 org.lamw.pascalid1:windowMinWidthMajor */ public static final int AppCompatTheme_windowMinWidthMajor=122; /** * <p> * @attr description * The minimum width the window is allowed to be, along the minor * axis of the screen. That is, when in portrait. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * * <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 org.lamw.pascalid1:windowMinWidthMinor */ public static final int AppCompatTheme_windowMinWidthMinor=123; /** * <p> * @attr description * Flag indicating whether there should be no title on this window. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:windowNoTitle */ public static final int AppCompatTheme_windowNoTitle=124; /** * Attributes that can be used with a BottomAppBar. * <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 #BottomAppBar_backgroundTint org.lamw.pascalid1:backgroundTint}</code></td><td>Tint to apply to the background.</td></tr> * <tr><td><code>{@link #BottomAppBar_fabAlignmentMode org.lamw.pascalid1:fabAlignmentMode}</code></td><td></td></tr> * <tr><td><code>{@link #BottomAppBar_fabCradleMargin org.lamw.pascalid1:fabCradleMargin}</code></td><td></td></tr> * <tr><td><code>{@link #BottomAppBar_fabCradleRoundedCornerRadius org.lamw.pascalid1:fabCradleRoundedCornerRadius}</code></td><td></td></tr> * <tr><td><code>{@link #BottomAppBar_fabCradleVerticalOffset org.lamw.pascalid1:fabCradleVerticalOffset}</code></td><td></td></tr> * <tr><td><code>{@link #BottomAppBar_hideOnScroll org.lamw.pascalid1:hideOnScroll}</code></td><td></td></tr> * </table> * @see #BottomAppBar_backgroundTint * @see #BottomAppBar_fabAlignmentMode * @see #BottomAppBar_fabCradleMargin * @see #BottomAppBar_fabCradleRoundedCornerRadius * @see #BottomAppBar_fabCradleVerticalOffset * @see #BottomAppBar_hideOnScroll */ public static final int[] BottomAppBar={ 0x7f030034, 0x7f0300cc, 0x7f0300cd, 0x7f0300ce, 0x7f0300cf, 0x7f0300ee }; /** * <p> * @attr description * Tint to apply to the background. * * <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 org.lamw.pascalid1:backgroundTint */ public static final int BottomAppBar_backgroundTint=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#fabAlignmentMode} * attribute's value can be found in the {@link #BottomAppBar} 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>0</td><td></td></tr> * <tr><td>end</td><td>1</td><td></td></tr> * </table> * * @attr name org.lamw.pascalid1:fabAlignmentMode */ public static final int BottomAppBar_fabAlignmentMode=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#fabCradleMargin} * attribute's value can be found in the {@link #BottomAppBar} 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 org.lamw.pascalid1:fabCradleMargin */ public static final int BottomAppBar_fabCradleMargin=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#fabCradleRoundedCornerRadius} * attribute's value can be found in the {@link #BottomAppBar} 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 org.lamw.pascalid1:fabCradleRoundedCornerRadius */ public static final int BottomAppBar_fabCradleRoundedCornerRadius=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#fabCradleVerticalOffset} * attribute's value can be found in the {@link #BottomAppBar} 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 org.lamw.pascalid1:fabCradleVerticalOffset */ public static final int BottomAppBar_fabCradleVerticalOffset=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#hideOnScroll} * attribute's value can be found in the {@link #BottomAppBar} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:hideOnScroll */ public static final int BottomAppBar_hideOnScroll=5; /** * 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 org.lamw.pascalid1:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #BottomNavigationView_itemBackground org.lamw.pascalid1:itemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemHorizontalTranslationEnabled org.lamw.pascalid1:itemHorizontalTranslationEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemIconSize org.lamw.pascalid1:itemIconSize}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemIconTint org.lamw.pascalid1:itemIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemTextAppearanceActive org.lamw.pascalid1:itemTextAppearanceActive}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemTextAppearanceInactive org.lamw.pascalid1:itemTextAppearanceInactive}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_itemTextColor org.lamw.pascalid1:itemTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_labelVisibilityMode org.lamw.pascalid1:labelVisibilityMode}</code></td><td></td></tr> * <tr><td><code>{@link #BottomNavigationView_menu org.lamw.pascalid1:menu}</code></td><td>Menu resource to inflate to be shown in the toolbar</td></tr> * </table> * @see #BottomNavigationView_elevation * @see #BottomNavigationView_itemBackground * @see #BottomNavigationView_itemHorizontalTranslationEnabled * @see #BottomNavigationView_itemIconSize * @see #BottomNavigationView_itemIconTint * @see #BottomNavigationView_itemTextAppearanceActive * @see #BottomNavigationView_itemTextAppearanceInactive * @see #BottomNavigationView_itemTextColor * @see #BottomNavigationView_labelVisibilityMode * @see #BottomNavigationView_menu */ public static final int[] BottomNavigationView={ 0x7f0300be, 0x7f030103, 0x7f030105, 0x7f030107, 0x7f030108, 0x7f03010c, 0x7f03010d, 0x7f03010e, 0x7f030110, 0x7f030138 }; /** * <p> * @attr description * Elevation for the action bar itself * * <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 org.lamw.pascalid1:elevation */ public static final int BottomNavigationView_elevation=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemBackground */ public static final int BottomNavigationView_itemBackground=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemHorizontalTranslationEnabled} * attribute's value can be found in the {@link #BottomNavigationView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:itemHorizontalTranslationEnabled */ public static final int BottomNavigationView_itemHorizontalTranslationEnabled=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemIconSize} * 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 org.lamw.pascalid1:itemIconSize */ public static final int BottomNavigationView_itemIconSize=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemIconTint */ public static final int BottomNavigationView_itemIconTint=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemTextAppearanceActive} * 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 org.lamw.pascalid1:itemTextAppearanceActive */ public static final int BottomNavigationView_itemTextAppearanceActive=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemTextAppearanceInactive} * 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 org.lamw.pascalid1:itemTextAppearanceInactive */ public static final int BottomNavigationView_itemTextAppearanceInactive=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemTextColor */ public static final int BottomNavigationView_itemTextColor=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#labelVisibilityMode} * attribute's value can be found in the {@link #BottomNavigationView} 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>labeled</td><td>1</td><td></td></tr> * <tr><td>selected</td><td>0</td><td></td></tr> * <tr><td>unlabeled</td><td>2</td><td></td></tr> * </table> * * @attr name org.lamw.pascalid1:labelVisibilityMode */ public static final int BottomNavigationView_labelVisibilityMode=8; /** * <p> * @attr description * Menu resource to inflate to be shown in the toolbar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:menu */ public static final int BottomNavigationView_menu=9; /** * 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_fitToContents org.lamw.pascalid1:behavior_fitToContents}</code></td><td></td></tr> * <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_hideable org.lamw.pascalid1:behavior_hideable}</code></td><td></td></tr> * <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_peekHeight org.lamw.pascalid1:behavior_peekHeight}</code></td><td></td></tr> * <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_skipCollapsed org.lamw.pascalid1:behavior_skipCollapsed}</code></td><td></td></tr> * </table> * @see #BottomSheetBehavior_Layout_behavior_fitToContents * @see #BottomSheetBehavior_Layout_behavior_hideable * @see #BottomSheetBehavior_Layout_behavior_peekHeight * @see #BottomSheetBehavior_Layout_behavior_skipCollapsed */ public static final int[] BottomSheetBehavior_Layout={ 0x7f030038, 0x7f030039, 0x7f03003b, 0x7f03003c }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#behavior_fitToContents} * 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 org.lamw.pascalid1:behavior_fitToContents */ public static final int BottomSheetBehavior_Layout_behavior_fitToContents=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:behavior_hideable */ public static final int BottomSheetBehavior_Layout_behavior_hideable=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:behavior_peekHeight */ public static final int BottomSheetBehavior_Layout_behavior_peekHeight=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:behavior_skipCollapsed */ public static final int BottomSheetBehavior_Layout_behavior_skipCollapsed=3; /** * 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 org.lamw.pascalid1:allowStacking}</code></td><td>Whether to automatically stack the buttons when there is not * enough space to lay them out side-by-side.</td></tr> * </table> * @see #ButtonBarLayout_allowStacking */ public static final int[] ButtonBarLayout={ 0x7f030026 }; /** * <p> * @attr description * Whether to automatically stack the buttons when there is not * enough space to lay them out side-by-side. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:allowStacking */ public static final int ButtonBarLayout_allowStacking=0; /** * Attributes that can be used with a CardView. * <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 #CardView_android_minWidth android:minWidth}</code></td><td></td></tr> * <tr><td><code>{@link #CardView_android_minHeight android:minHeight}</code></td><td></td></tr> * <tr><td><code>{@link #CardView_cardBackgroundColor org.lamw.pascalid1:cardBackgroundColor}</code></td><td>Background color for CardView.</td></tr> * <tr><td><code>{@link #CardView_cardCornerRadius org.lamw.pascalid1:cardCornerRadius}</code></td><td>Corner radius for CardView.</td></tr> * <tr><td><code>{@link #CardView_cardElevation org.lamw.pascalid1:cardElevation}</code></td><td>Elevation for CardView.</td></tr> * <tr><td><code>{@link #CardView_cardMaxElevation org.lamw.pascalid1:cardMaxElevation}</code></td><td>Maximum Elevation for CardView.</td></tr> * <tr><td><code>{@link #CardView_cardPreventCornerOverlap org.lamw.pascalid1:cardPreventCornerOverlap}</code></td><td>Add padding to CardView on v20 and before to prevent intersections between the Card content and rounded corners.</td></tr> * <tr><td><code>{@link #CardView_cardUseCompatPadding org.lamw.pascalid1:cardUseCompatPadding}</code></td><td>Add padding in API v21+ as well to have the same measurements with previous versions.</td></tr> * <tr><td><code>{@link #CardView_contentPadding org.lamw.pascalid1:contentPadding}</code></td><td>Inner padding between the edges of the Card and children of the CardView.</td></tr> * <tr><td><code>{@link #CardView_contentPaddingBottom org.lamw.pascalid1:contentPaddingBottom}</code></td><td>Inner padding between the bottom edge of the Card and children of the CardView.</td></tr> * <tr><td><code>{@link #CardView_contentPaddingLeft org.lamw.pascalid1:contentPaddingLeft}</code></td><td>Inner padding between the left edge of the Card and children of the CardView.</td></tr> * <tr><td><code>{@link #CardView_contentPaddingRight org.lamw.pascalid1:contentPaddingRight}</code></td><td>Inner padding between the right edge of the Card and children of the CardView.</td></tr> * <tr><td><code>{@link #CardView_contentPaddingTop org.lamw.pascalid1:contentPaddingTop}</code></td><td>Inner padding between the top edge of the Card and children of the CardView.</td></tr> * </table> * @see #CardView_android_minWidth * @see #CardView_android_minHeight * @see #CardView_cardBackgroundColor * @see #CardView_cardCornerRadius * @see #CardView_cardElevation * @see #CardView_cardMaxElevation * @see #CardView_cardPreventCornerOverlap * @see #CardView_cardUseCompatPadding * @see #CardView_contentPadding * @see #CardView_contentPaddingBottom * @see #CardView_contentPaddingLeft * @see #CardView_contentPaddingRight * @see #CardView_contentPaddingTop */ public static final int[] CardView={ 0x0101013f, 0x01010140, 0x7f030059, 0x7f03005a, 0x7f03005b, 0x7f03005c, 0x7f03005d, 0x7f03005e, 0x7f030098, 0x7f030099, 0x7f03009a, 0x7f03009b, 0x7f03009c }; /** * <p> * @attr description * Workaround to read user defined minimum width * * <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 CardView_android_minWidth=0; /** * <p> * @attr description * Workaround to read user defined minimum height * * <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 CardView_android_minHeight=1; /** * <p> * @attr description * Background color for CardView. * * <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 org.lamw.pascalid1:cardBackgroundColor */ public static final int CardView_cardBackgroundColor=2; /** * <p> * @attr description * Corner radius for CardView. * * <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 org.lamw.pascalid1:cardCornerRadius */ public static final int CardView_cardCornerRadius=3; /** * <p> * @attr description * Elevation for CardView. * * <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 org.lamw.pascalid1:cardElevation */ public static final int CardView_cardElevation=4; /** * <p> * @attr description * Maximum Elevation for CardView. * * <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 org.lamw.pascalid1:cardMaxElevation */ public static final int CardView_cardMaxElevation=5; /** * <p> * @attr description * Add padding to CardView on v20 and before to prevent intersections between the Card content and rounded corners. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:cardPreventCornerOverlap */ public static final int CardView_cardPreventCornerOverlap=6; /** * <p> * @attr description * Add padding in API v21+ as well to have the same measurements with previous versions. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:cardUseCompatPadding */ public static final int CardView_cardUseCompatPadding=7; /** * <p> * @attr description * Inner padding between the edges of the Card and children of the CardView. * * <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 org.lamw.pascalid1:contentPadding */ public static final int CardView_contentPadding=8; /** * <p> * @attr description * Inner padding between the bottom edge of the Card and children of the CardView. * * <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 org.lamw.pascalid1:contentPaddingBottom */ public static final int CardView_contentPaddingBottom=9; /** * <p> * @attr description * Inner padding between the left edge of the Card and children of the CardView. * * <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 org.lamw.pascalid1:contentPaddingLeft */ public static final int CardView_contentPaddingLeft=10; /** * <p> * @attr description * Inner padding between the right edge of the Card and children of the CardView. * * <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 org.lamw.pascalid1:contentPaddingRight */ public static final int CardView_contentPaddingRight=11; /** * <p> * @attr description * Inner padding between the top edge of the Card and children of the CardView. * * <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 org.lamw.pascalid1:contentPaddingTop */ public static final int CardView_contentPaddingTop=12; /** * Attributes that can be used with a Chip. * <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 #Chip_android_textAppearance android:textAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_android_ellipsize android:ellipsize}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_android_maxWidth android:maxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_android_text android:text}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_android_checkable android:checkable}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_checkedIcon org.lamw.pascalid1:checkedIcon}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_checkedIconEnabled org.lamw.pascalid1:checkedIconEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_checkedIconVisible org.lamw.pascalid1:checkedIconVisible}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipBackgroundColor org.lamw.pascalid1:chipBackgroundColor}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipCornerRadius org.lamw.pascalid1:chipCornerRadius}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipEndPadding org.lamw.pascalid1:chipEndPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipIcon org.lamw.pascalid1:chipIcon}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipIconEnabled org.lamw.pascalid1:chipIconEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipIconSize org.lamw.pascalid1:chipIconSize}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipIconTint org.lamw.pascalid1:chipIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipIconVisible org.lamw.pascalid1:chipIconVisible}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipMinHeight org.lamw.pascalid1:chipMinHeight}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipStartPadding org.lamw.pascalid1:chipStartPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipStrokeColor org.lamw.pascalid1:chipStrokeColor}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_chipStrokeWidth org.lamw.pascalid1:chipStrokeWidth}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_closeIcon org.lamw.pascalid1:closeIcon}</code></td><td>Close button icon</td></tr> * <tr><td><code>{@link #Chip_closeIconEnabled org.lamw.pascalid1:closeIconEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_closeIconEndPadding org.lamw.pascalid1:closeIconEndPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_closeIconSize org.lamw.pascalid1:closeIconSize}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_closeIconStartPadding org.lamw.pascalid1:closeIconStartPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_closeIconTint org.lamw.pascalid1:closeIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_closeIconVisible org.lamw.pascalid1:closeIconVisible}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_hideMotionSpec org.lamw.pascalid1:hideMotionSpec}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_iconEndPadding org.lamw.pascalid1:iconEndPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_iconStartPadding org.lamw.pascalid1:iconStartPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_rippleColor org.lamw.pascalid1:rippleColor}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_showMotionSpec org.lamw.pascalid1:showMotionSpec}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_textEndPadding org.lamw.pascalid1:textEndPadding}</code></td><td></td></tr> * <tr><td><code>{@link #Chip_textStartPadding org.lamw.pascalid1:textStartPadding}</code></td><td></td></tr> * </table> * @see #Chip_android_textAppearance * @see #Chip_android_ellipsize * @see #Chip_android_maxWidth * @see #Chip_android_text * @see #Chip_android_checkable * @see #Chip_checkedIcon * @see #Chip_checkedIconEnabled * @see #Chip_checkedIconVisible * @see #Chip_chipBackgroundColor * @see #Chip_chipCornerRadius * @see #Chip_chipEndPadding * @see #Chip_chipIcon * @see #Chip_chipIconEnabled * @see #Chip_chipIconSize * @see #Chip_chipIconTint * @see #Chip_chipIconVisible * @see #Chip_chipMinHeight * @see #Chip_chipStartPadding * @see #Chip_chipStrokeColor * @see #Chip_chipStrokeWidth * @see #Chip_closeIcon * @see #Chip_closeIconEnabled * @see #Chip_closeIconEndPadding * @see #Chip_closeIconSize * @see #Chip_closeIconStartPadding * @see #Chip_closeIconTint * @see #Chip_closeIconVisible * @see #Chip_hideMotionSpec * @see #Chip_iconEndPadding * @see #Chip_iconStartPadding * @see #Chip_rippleColor * @see #Chip_showMotionSpec * @see #Chip_textEndPadding * @see #Chip_textStartPadding */ public static final int[] Chip={ 0x01010034, 0x010100ab, 0x0101011f, 0x0101014f, 0x010101e5, 0x7f030062, 0x7f030063, 0x7f030064, 0x7f030066, 0x7f030067, 0x7f030068, 0x7f03006a, 0x7f03006b, 0x7f03006c, 0x7f03006d, 0x7f03006e, 0x7f03006f, 0x7f030074, 0x7f030075, 0x7f030076, 0x7f030078, 0x7f030079, 0x7f03007a, 0x7f03007b, 0x7f03007c, 0x7f03007d, 0x7f03007e, 0x7f0300ec, 0x7f0300f6, 0x7f0300fa, 0x7f03015a, 0x7f030166, 0x7f0301bb, 0x7f0301be }; /** * <p>This symbol is the offset where the {@link android.R.attr#textAppearance} * attribute's value can be found in the {@link #Chip} 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 Chip_android_textAppearance=0; /** * <p>This symbol is the offset where the {@link android.R.attr#ellipsize} * attribute's value can be found in the {@link #Chip} 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 android:ellipsize */ public static final int Chip_android_ellipsize=1; /** * <p>This symbol is the offset where the {@link android.R.attr#maxWidth} * attribute's value can be found in the {@link #Chip} 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 Chip_android_maxWidth=2; /** * <p>This symbol is the offset where the {@link android.R.attr#text} * attribute's value can be found in the {@link #Chip} 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 Chip_android_text=3; /** * <p>This symbol is the offset where the {@link android.R.attr#checkable} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:checkable */ public static final int Chip_android_checkable=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#checkedIcon} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:checkedIcon */ public static final int Chip_checkedIcon=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#checkedIconEnabled} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:checkedIconEnabled */ public static final int Chip_checkedIconEnabled=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#checkedIconVisible} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:checkedIconVisible */ public static final int Chip_checkedIconVisible=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipBackgroundColor} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipBackgroundColor */ public static final int Chip_chipBackgroundColor=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipCornerRadius} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipCornerRadius */ public static final int Chip_chipCornerRadius=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipEndPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipEndPadding */ public static final int Chip_chipEndPadding=10; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipIcon} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipIcon */ public static final int Chip_chipIcon=11; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipIconEnabled} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:chipIconEnabled */ public static final int Chip_chipIconEnabled=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipIconSize} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipIconSize */ public static final int Chip_chipIconSize=13; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipIconTint} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipIconTint */ public static final int Chip_chipIconTint=14; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipIconVisible} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:chipIconVisible */ public static final int Chip_chipIconVisible=15; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipMinHeight} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipMinHeight */ public static final int Chip_chipMinHeight=16; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipStartPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipStartPadding */ public static final int Chip_chipStartPadding=17; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipStrokeColor} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipStrokeColor */ public static final int Chip_chipStrokeColor=18; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipStrokeWidth} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:chipStrokeWidth */ public static final int Chip_chipStrokeWidth=19; /** * <p> * @attr description * Close button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:closeIcon */ public static final int Chip_closeIcon=20; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#closeIconEnabled} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:closeIconEnabled */ public static final int Chip_closeIconEnabled=21; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#closeIconEndPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:closeIconEndPadding */ public static final int Chip_closeIconEndPadding=22; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#closeIconSize} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:closeIconSize */ public static final int Chip_closeIconSize=23; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#closeIconStartPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:closeIconStartPadding */ public static final int Chip_closeIconStartPadding=24; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#closeIconTint} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:closeIconTint */ public static final int Chip_closeIconTint=25; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#closeIconVisible} * attribute's value can be found in the {@link #Chip} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:closeIconVisible */ public static final int Chip_closeIconVisible=26; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#hideMotionSpec} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:hideMotionSpec */ public static final int Chip_hideMotionSpec=27; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#iconEndPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:iconEndPadding */ public static final int Chip_iconEndPadding=28; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#iconStartPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:iconStartPadding */ public static final int Chip_iconStartPadding=29; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#rippleColor} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:rippleColor */ public static final int Chip_rippleColor=30; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#showMotionSpec} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:showMotionSpec */ public static final int Chip_showMotionSpec=31; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textEndPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:textEndPadding */ public static final int Chip_textEndPadding=32; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textStartPadding} * attribute's value can be found in the {@link #Chip} 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 org.lamw.pascalid1:textStartPadding */ public static final int Chip_textStartPadding=33; /** * Attributes that can be used with a ChipGroup. * <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 #ChipGroup_checkedChip org.lamw.pascalid1:checkedChip}</code></td><td></td></tr> * <tr><td><code>{@link #ChipGroup_chipSpacing org.lamw.pascalid1:chipSpacing}</code></td><td></td></tr> * <tr><td><code>{@link #ChipGroup_chipSpacingHorizontal org.lamw.pascalid1:chipSpacingHorizontal}</code></td><td></td></tr> * <tr><td><code>{@link #ChipGroup_chipSpacingVertical org.lamw.pascalid1:chipSpacingVertical}</code></td><td></td></tr> * <tr><td><code>{@link #ChipGroup_singleLine org.lamw.pascalid1:singleLine}</code></td><td></td></tr> * <tr><td><code>{@link #ChipGroup_singleSelection org.lamw.pascalid1:singleSelection}</code></td><td></td></tr> * </table> * @see #ChipGroup_checkedChip * @see #ChipGroup_chipSpacing * @see #ChipGroup_chipSpacingHorizontal * @see #ChipGroup_chipSpacingVertical * @see #ChipGroup_singleLine * @see #ChipGroup_singleSelection */ public static final int[] ChipGroup={ 0x7f030061, 0x7f030070, 0x7f030071, 0x7f030072, 0x7f03016a, 0x7f03016b }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#checkedChip} * attribute's value can be found in the {@link #ChipGroup} 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 org.lamw.pascalid1:checkedChip */ public static final int ChipGroup_checkedChip=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipSpacing} * attribute's value can be found in the {@link #ChipGroup} 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 org.lamw.pascalid1:chipSpacing */ public static final int ChipGroup_chipSpacing=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipSpacingHorizontal} * attribute's value can be found in the {@link #ChipGroup} 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 org.lamw.pascalid1:chipSpacingHorizontal */ public static final int ChipGroup_chipSpacingHorizontal=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipSpacingVertical} * attribute's value can be found in the {@link #ChipGroup} 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 org.lamw.pascalid1:chipSpacingVertical */ public static final int ChipGroup_chipSpacingVertical=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#singleLine} * attribute's value can be found in the {@link #ChipGroup} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:singleLine */ public static final int ChipGroup_singleLine=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#singleSelection} * attribute's value can be found in the {@link #ChipGroup} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:singleSelection */ public static final int ChipGroup_singleSelection=5; /** * 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 org.lamw.pascalid1:collapsedTitleGravity}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleTextAppearance org.lamw.pascalid1:collapsedTitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_contentScrim org.lamw.pascalid1:contentScrim}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleGravity org.lamw.pascalid1:expandedTitleGravity}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMargin org.lamw.pascalid1:expandedTitleMargin}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginBottom org.lamw.pascalid1:expandedTitleMarginBottom}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginEnd org.lamw.pascalid1:expandedTitleMarginEnd}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginStart org.lamw.pascalid1:expandedTitleMarginStart}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginTop org.lamw.pascalid1:expandedTitleMarginTop}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleTextAppearance org.lamw.pascalid1:expandedTitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_scrimAnimationDuration org.lamw.pascalid1:scrimAnimationDuration}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_scrimVisibleHeightTrigger org.lamw.pascalid1:scrimVisibleHeightTrigger}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_statusBarScrim org.lamw.pascalid1:statusBarScrim}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_title org.lamw.pascalid1:title}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_titleEnabled org.lamw.pascalid1:titleEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_toolbarId org.lamw.pascalid1: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={ 0x7f030082, 0x7f030083, 0x7f03009d, 0x7f0300c5, 0x7f0300c6, 0x7f0300c7, 0x7f0300c8, 0x7f0300c9, 0x7f0300ca, 0x7f0300cb, 0x7f03015b, 0x7f03015d, 0x7f03017b, 0x7f0301c9, 0x7f0301ca, 0x7f0301d4 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:collapsedTitleGravity */ public static final int CollapsingToolbarLayout_collapsedTitleGravity=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:collapsedTitleTextAppearance */ public static final int CollapsingToolbarLayout_collapsedTitleTextAppearance=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:contentScrim */ public static final int CollapsingToolbarLayout_contentScrim=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleGravity */ public static final int CollapsingToolbarLayout_expandedTitleGravity=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleMargin */ public static final int CollapsingToolbarLayout_expandedTitleMargin=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleMarginBottom */ public static final int CollapsingToolbarLayout_expandedTitleMarginBottom=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleMarginEnd */ public static final int CollapsingToolbarLayout_expandedTitleMarginEnd=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleMarginStart */ public static final int CollapsingToolbarLayout_expandedTitleMarginStart=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleMarginTop */ public static final int CollapsingToolbarLayout_expandedTitleMarginTop=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:expandedTitleTextAppearance */ public static final int CollapsingToolbarLayout_expandedTitleTextAppearance=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:scrimAnimationDuration */ public static final int CollapsingToolbarLayout_scrimAnimationDuration=10; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:scrimVisibleHeightTrigger */ public static final int CollapsingToolbarLayout_scrimVisibleHeightTrigger=11; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:statusBarScrim */ public static final int CollapsingToolbarLayout_statusBarScrim=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:title */ public static final int CollapsingToolbarLayout_title=13; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:titleEnabled */ public static final int CollapsingToolbarLayout_titleEnabled=14; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:layout_collapseMode}</code></td><td></td></tr> * <tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier org.lamw.pascalid1:layout_collapseParallaxMultiplier}</code></td><td></td></tr> * </table> * @see #CollapsingToolbarLayout_Layout_layout_collapseMode * @see #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier */ public static final int[] CollapsingToolbarLayout_Layout={ 0x7f030117, 0x7f030118 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:layout_collapseMode */ public static final int CollapsingToolbarLayout_Layout_layout_collapseMode=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:alpha}</code></td><td>Alpha multiplier applied to the base color.</td></tr> * </table> * @see #ColorStateListItem_android_color * @see #ColorStateListItem_android_alpha * @see #ColorStateListItem_alpha */ public static final int[] ColorStateListItem={ 0x010101a5, 0x0101031f, 0x7f030027 }; /** * <p> * @attr description * Base color for this state. * * <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> * @attr description * Alpha multiplier applied to the base color. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name org.lamw.pascalid1: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_buttonCompat org.lamw.pascalid1:buttonCompat}</code></td><td>Compat attr to load backported drawable types</td></tr> * <tr><td><code>{@link #CompoundButton_buttonTint org.lamw.pascalid1:buttonTint}</code></td><td>Tint to apply to the button drawable.</td></tr> * <tr><td><code>{@link #CompoundButton_buttonTintMode org.lamw.pascalid1:buttonTintMode}</code></td><td>Blending mode used to apply the button tint.</td></tr> * </table> * @see #CompoundButton_android_button * @see #CompoundButton_buttonCompat * @see #CompoundButton_buttonTint * @see #CompoundButton_buttonTintMode */ public static final int[] CompoundButton={ 0x01010107, 0x7f030051, 0x7f030057, 0x7f030058 }; /** * <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> * @attr description * Compat attr to load backported drawable types * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:buttonCompat */ public static final int CompoundButton_buttonCompat=1; /** * <p> * @attr description * Tint to apply to the button drawable. * * <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 org.lamw.pascalid1:buttonTint */ public static final int CompoundButton_buttonTint=2; /** * <p> * @attr description * Blending mode used to apply the button tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:buttonTintMode */ public static final int CompoundButton_buttonTintMode=3; /** * 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 org.lamw.pascalid1:keylines}</code></td><td>A reference to an array of integers representing the * locations of horizontal keylines in dp from the starting edge.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_statusBarBackground org.lamw.pascalid1:statusBarBackground}</code></td><td>Drawable to display behind the status bar when the view is set to draw behind it.</td></tr> * </table> * @see #CoordinatorLayout_keylines * @see #CoordinatorLayout_statusBarBackground */ public static final int[] CoordinatorLayout={ 0x7f03010f, 0x7f03017a }; /** * <p> * @attr description * A reference to an array of integers representing the * locations of horizontal keylines in dp from the starting edge. * Child views can refer to these keylines for alignment using * layout_keyline="index" where index is a 0-based index into * this 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 org.lamw.pascalid1:keylines */ public static final int CoordinatorLayout_keylines=0; /** * <p> * @attr description * Drawable to display behind the status bar when the view is set to draw behind it. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1: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 org.lamw.pascalid1:layout_anchor}</code></td><td>The id of an anchor view that this view should position relative to.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchorGravity org.lamw.pascalid1:layout_anchorGravity}</code></td><td>Specifies how an object should position relative to an anchor, on both the X and Y axes, * within its parent's bounds.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_behavior org.lamw.pascalid1:layout_behavior}</code></td><td>The class name of a Behavior class defining special runtime behavior * for this child view.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_dodgeInsetEdges org.lamw.pascalid1:layout_dodgeInsetEdges}</code></td><td>Specifies how this view dodges the inset edges of the CoordinatorLayout.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_insetEdge org.lamw.pascalid1:layout_insetEdge}</code></td><td>Specifies how this view insets the CoordinatorLayout and make some other views * dodge it.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_keyline org.lamw.pascalid1:layout_keyline}</code></td><td>The index of a keyline this view should position relative to.</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, 0x7f030114, 0x7f030115, 0x7f030116, 0x7f030119, 0x7f03011a, 0x7f03011b }; /** * <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> * @attr description * The id of an anchor view that this view should position relative to. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:layout_anchor */ public static final int CoordinatorLayout_Layout_layout_anchor=1; /** * <p> * @attr description * Specifies how an object should position relative to an anchor, on both the X and Y axes, * within its parent's bounds. * * <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>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>center</td><td>11</td><td>Place the object in the center of its container in both the vertical and horizontal axis, not changing its size.</td></tr> * <tr><td>center_horizontal</td><td>1</td><td>Place object in the horizontal center of its container, not changing its size.</td></tr> * <tr><td>center_vertical</td><td>10</td><td>Place object in the vertical center of its container, not changing its size.</td></tr> * <tr><td>clip_horizontal</td><td>8</td><td>Additional option that can be set to have the left and/or right edges of * the child clipped to its container's bounds. * The clip will be based on the horizontal gravity: a left gravity will clip the right * edge, a right gravity will clip the left edge, and neither will clip both edges.</td></tr> * <tr><td>clip_vertical</td><td>80</td><td>Additional option that can be set to have the top and/or bottom edges of * the child clipped to its container's bounds. * The clip will be based on the vertical gravity: a top gravity will clip the bottom * edge, a bottom gravity will clip the top edge, and neither will clip both edges.</td></tr> * <tr><td>end</td><td>800005</td><td>Push object to the end of its container, not changing its size.</td></tr> * <tr><td>fill</td><td>77</td><td>Grow the horizontal and vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_horizontal</td><td>7</td><td>Grow the horizontal size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_vertical</td><td>70</td><td>Grow the vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>left</td><td>3</td><td>Push object to the left of its container, not changing its size.</td></tr> * <tr><td>right</td><td>5</td><td>Push object to the right of its container, not changing its size.</td></tr> * <tr><td>start</td><td>800003</td><td>Push object to the beginning of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> * * @attr name org.lamw.pascalid1:layout_anchorGravity */ public static final int CoordinatorLayout_Layout_layout_anchorGravity=2; /** * <p> * @attr description * The class name of a Behavior class defining special runtime behavior * for this child view. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:layout_behavior */ public static final int CoordinatorLayout_Layout_layout_behavior=3; /** * <p> * @attr description * Specifies how this view dodges the inset edges of the CoordinatorLayout. * * <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>Dodge all the inset edges.</td></tr> * <tr><td>bottom</td><td>50</td><td>Dodge the bottom inset edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Dodge the end inset edge.</td></tr> * <tr><td>left</td><td>3</td><td>Dodge the left inset edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't dodge any edges</td></tr> * <tr><td>right</td><td>5</td><td>Dodge the right inset edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Dodge the start inset edge.</td></tr> * <tr><td>top</td><td>30</td><td>Dodge the top inset edge.</td></tr> * </table> * * @attr name org.lamw.pascalid1:layout_dodgeInsetEdges */ public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges=4; /** * <p> * @attr description * Specifies how this view insets the CoordinatorLayout and make some other views * dodge it. * * <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>Inset the bottom edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Inset the end edge.</td></tr> * <tr><td>left</td><td>3</td><td>Inset the left edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't inset.</td></tr> * <tr><td>right</td><td>5</td><td>Inset the right edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Inset the start edge.</td></tr> * <tr><td>top</td><td>30</td><td>Inset the top edge.</td></tr> * </table> * * @attr name org.lamw.pascalid1:layout_insetEdge */ public static final int CoordinatorLayout_Layout_layout_insetEdge=5; /** * <p> * @attr description * The index of a keyline this view should position relative to. * android:layout_gravity will affect how the view aligns to the * specified keyline. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:bottomSheetDialogTheme}</code></td><td></td></tr> * <tr><td><code>{@link #DesignTheme_bottomSheetStyle org.lamw.pascalid1:bottomSheetStyle}</code></td><td></td></tr> * </table> * @see #DesignTheme_bottomSheetDialogTheme * @see #DesignTheme_bottomSheetStyle */ public static final int[] DesignTheme={ 0x7f030041, 0x7f030042 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:bottomSheetDialogTheme */ public static final int DesignTheme_bottomSheetDialogTheme=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:bottomSheetStyle */ public static final int DesignTheme_bottomSheetStyle=1; /** * 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 org.lamw.pascalid1:arrowHeadLength}</code></td><td>The length of the arrow head when formed to make an arrow</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength org.lamw.pascalid1:arrowShaftLength}</code></td><td>The length of the shaft when formed to make an arrow</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_barLength org.lamw.pascalid1:barLength}</code></td><td>The length of the bars when they are parallel to each other</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_color org.lamw.pascalid1:color}</code></td><td>The drawing color for the bars</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_drawableSize org.lamw.pascalid1:drawableSize}</code></td><td>The total size of the drawable</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars org.lamw.pascalid1:gapBetweenBars}</code></td><td>The max gap between the bars when they are parallel to each other</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_spinBars org.lamw.pascalid1:spinBars}</code></td><td>Whether bars should rotate or not during transition</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_thickness org.lamw.pascalid1:thickness}</code></td><td>The thickness (stroke size) for the bar paint</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={ 0x7f030029, 0x7f03002a, 0x7f030036, 0x7f030084, 0x7f0300b3, 0x7f0300e5, 0x7f03016f, 0x7f0301c0 }; /** * <p> * @attr description * The length of the arrow head when formed to make an arrow * * <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 org.lamw.pascalid1:arrowHeadLength */ public static final int DrawerArrowToggle_arrowHeadLength=0; /** * <p> * @attr description * The length of the shaft when formed to make an arrow * * <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 org.lamw.pascalid1:arrowShaftLength */ public static final int DrawerArrowToggle_arrowShaftLength=1; /** * <p> * @attr description * The length of the bars when they are parallel to each other * * <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 org.lamw.pascalid1:barLength */ public static final int DrawerArrowToggle_barLength=2; /** * <p> * @attr description * The drawing color for the bars * * <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 org.lamw.pascalid1:color */ public static final int DrawerArrowToggle_color=3; /** * <p> * @attr description * The total size of the drawable * * <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 org.lamw.pascalid1:drawableSize */ public static final int DrawerArrowToggle_drawableSize=4; /** * <p> * @attr description * The max gap between the bars when they are parallel to each other * * <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 org.lamw.pascalid1:gapBetweenBars */ public static final int DrawerArrowToggle_gapBetweenBars=5; /** * <p> * @attr description * Whether bars should rotate or not during transition * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:spinBars */ public static final int DrawerArrowToggle_spinBars=6; /** * <p> * @attr description * The thickness (stroke size) for the bar paint * * <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 org.lamw.pascalid1: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 org.lamw.pascalid1:backgroundTint}</code></td><td>Tint to apply to the background.</td></tr> * <tr><td><code>{@link #FloatingActionButton_backgroundTintMode org.lamw.pascalid1:backgroundTintMode}</code></td><td>Blending mode used to apply the background tint.</td></tr> * <tr><td><code>{@link #FloatingActionButton_borderWidth org.lamw.pascalid1:borderWidth}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_elevation org.lamw.pascalid1:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #FloatingActionButton_fabCustomSize org.lamw.pascalid1:fabCustomSize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_fabSize org.lamw.pascalid1:fabSize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_hideMotionSpec org.lamw.pascalid1:hideMotionSpec}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_hoveredFocusedTranslationZ org.lamw.pascalid1:hoveredFocusedTranslationZ}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_maxImageSize org.lamw.pascalid1:maxImageSize}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_pressedTranslationZ org.lamw.pascalid1:pressedTranslationZ}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_rippleColor org.lamw.pascalid1:rippleColor}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_showMotionSpec org.lamw.pascalid1:showMotionSpec}</code></td><td></td></tr> * <tr><td><code>{@link #FloatingActionButton_useCompatPadding org.lamw.pascalid1: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_hideMotionSpec * @see #FloatingActionButton_hoveredFocusedTranslationZ * @see #FloatingActionButton_maxImageSize * @see #FloatingActionButton_pressedTranslationZ * @see #FloatingActionButton_rippleColor * @see #FloatingActionButton_showMotionSpec * @see #FloatingActionButton_useCompatPadding */ public static final int[] FloatingActionButton={ 0x7f030034, 0x7f030035, 0x7f03003d, 0x7f0300be, 0x7f0300d0, 0x7f0300d1, 0x7f0300ec, 0x7f0300f4, 0x7f030136, 0x7f030150, 0x7f03015a, 0x7f030166, 0x7f0301de }; /** * <p> * @attr description * Tint to apply to the background. * * <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 org.lamw.pascalid1:backgroundTint */ public static final int FloatingActionButton_backgroundTint=0; /** * <p> * @attr description * Blending mode used to apply the background tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:backgroundTintMode */ public static final int FloatingActionButton_backgroundTintMode=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:borderWidth */ public static final int FloatingActionButton_borderWidth=2; /** * <p> * @attr description * Elevation for the action bar itself * * <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 org.lamw.pascalid1:elevation */ public static final int FloatingActionButton_elevation=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:fabCustomSize */ public static final int FloatingActionButton_fabCustomSize=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:fabSize */ public static final int FloatingActionButton_fabSize=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#hideMotionSpec} * 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 org.lamw.pascalid1:hideMotionSpec */ public static final int FloatingActionButton_hideMotionSpec=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#hoveredFocusedTranslationZ} * 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 org.lamw.pascalid1:hoveredFocusedTranslationZ */ public static final int FloatingActionButton_hoveredFocusedTranslationZ=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#maxImageSize} * 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 org.lamw.pascalid1:maxImageSize */ public static final int FloatingActionButton_maxImageSize=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:pressedTranslationZ */ public static final int FloatingActionButton_pressedTranslationZ=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:rippleColor */ public static final int FloatingActionButton_rippleColor=10; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#showMotionSpec} * 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 org.lamw.pascalid1:showMotionSpec */ public static final int FloatingActionButton_showMotionSpec=11; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:useCompatPadding */ public static final int FloatingActionButton_useCompatPadding=12; /** * 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 org.lamw.pascalid1:behavior_autoHide}</code></td><td></td></tr> * </table> * @see #FloatingActionButton_Behavior_Layout_behavior_autoHide */ public static final int[] FloatingActionButton_Behavior_Layout={ 0x7f030037 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:behavior_autoHide */ public static final int FloatingActionButton_Behavior_Layout_behavior_autoHide=0; /** * Attributes that can be used with a FlowLayout. * <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 #FlowLayout_itemSpacing org.lamw.pascalid1:itemSpacing}</code></td><td></td></tr> * <tr><td><code>{@link #FlowLayout_lineSpacing org.lamw.pascalid1:lineSpacing}</code></td><td></td></tr> * </table> * @see #FlowLayout_itemSpacing * @see #FlowLayout_lineSpacing */ public static final int[] FlowLayout={ 0x7f03010a, 0x7f030120 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemSpacing} * attribute's value can be found in the {@link #FlowLayout} 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 org.lamw.pascalid1:itemSpacing */ public static final int FlowLayout_itemSpacing=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#lineSpacing} * attribute's value can be found in the {@link #FlowLayout} 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 org.lamw.pascalid1:lineSpacing */ public static final int FlowLayout_lineSpacing=1; /** * 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 org.lamw.pascalid1:fontProviderAuthority}</code></td><td>The authority of the Font Provider to be used for the request.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderCerts org.lamw.pascalid1:fontProviderCerts}</code></td><td>The sets of hashes for the certificates the provider should be signed with.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderFetchStrategy org.lamw.pascalid1:fontProviderFetchStrategy}</code></td><td>The strategy to be used when fetching font data from a font provider in XML layouts.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderFetchTimeout org.lamw.pascalid1:fontProviderFetchTimeout}</code></td><td>The length of the timeout during fetching.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderPackage org.lamw.pascalid1:fontProviderPackage}</code></td><td>The package for the Font Provider to be used for the request.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderQuery org.lamw.pascalid1:fontProviderQuery}</code></td><td>The query to be sent over to the provider.</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={ 0x7f0300db, 0x7f0300dc, 0x7f0300dd, 0x7f0300de, 0x7f0300df, 0x7f0300e0 }; /** * <p> * @attr description * The authority of the Font Provider to be used for the request. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontProviderAuthority */ public static final int FontFamily_fontProviderAuthority=0; /** * <p> * @attr description * The sets of hashes for the certificates the provider should be signed with. This is * used to verify the identity of the provider, and is only required if the provider is not * part of the system image. This value may point to one list or a list of lists, where each * individual list represents one collection of signature hashes. Refer to your font provider's * documentation for these values. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:fontProviderCerts */ public static final int FontFamily_fontProviderCerts=1; /** * <p> * @attr description * The strategy to be used when fetching font data from a font provider in XML layouts. * This attribute is ignored when the resource is loaded from code, as it is equivalent to the * choice of API between {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int)} (blocking) and * {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int, FontCallback, Handler)} * (async). * * <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>The async font fetch works as follows. * First, check the local cache, then if the requeted font is not cached, trigger a * request the font and continue with layout inflation. Once the font fetch succeeds, the * target text view will be refreshed with the downloaded font data. The * fontProviderFetchTimeout will be ignored if async loading is specified.</td></tr> * <tr><td>blocking</td><td>0</td><td>The blocking font fetch works as follows. * First, check the local cache, then if the requested font is not cached, request the * font from the provider and wait until it is finished. You can change the length of * the timeout by modifying fontProviderFetchTimeout. If the timeout happens, the * default typeface will be used instead.</td></tr> * </table> * * @attr name org.lamw.pascalid1:fontProviderFetchStrategy */ public static final int FontFamily_fontProviderFetchStrategy=2; /** * <p> * @attr description * The length of the timeout during fetching. * * <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>A special value for the timeout. In this case, the blocking font fetching will not * timeout and wait until a reply is received from the font provider.</td></tr> * </table> * * @attr name org.lamw.pascalid1:fontProviderFetchTimeout */ public static final int FontFamily_fontProviderFetchTimeout=3; /** * <p> * @attr description * The package for the Font Provider to be used for the request. This is used to verify * the identity of the provider. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontProviderPackage */ public static final int FontFamily_fontProviderPackage=4; /** * <p> * @attr description * The query to be sent over to the provider. Refer to your font provider's documentation * on the format of this string. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1: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_android_ttcIndex android:ttcIndex}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_fontVariationSettings android:fontVariationSettings}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_font org.lamw.pascalid1:font}</code></td><td>The reference to the font file to be used.</td></tr> * <tr><td><code>{@link #FontFamilyFont_fontStyle org.lamw.pascalid1:fontStyle}</code></td><td>The style of the given font file.</td></tr> * <tr><td><code>{@link #FontFamilyFont_fontVariationSettings org.lamw.pascalid1:fontVariationSettings}</code></td><td>The variation settings to be applied to the font.</td></tr> * <tr><td><code>{@link #FontFamilyFont_fontWeight org.lamw.pascalid1:fontWeight}</code></td><td>The weight of the given font file.</td></tr> * <tr><td><code>{@link #FontFamilyFont_ttcIndex org.lamw.pascalid1:ttcIndex}</code></td><td>The index of the font in the tcc font file.</td></tr> * </table> * @see #FontFamilyFont_android_font * @see #FontFamilyFont_android_fontWeight * @see #FontFamilyFont_android_fontStyle * @see #FontFamilyFont_android_ttcIndex * @see #FontFamilyFont_android_fontVariationSettings * @see #FontFamilyFont_font * @see #FontFamilyFont_fontStyle * @see #FontFamilyFont_fontVariationSettings * @see #FontFamilyFont_fontWeight * @see #FontFamilyFont_ttcIndex */ public static final int[] FontFamilyFont={ 0x01010532, 0x01010533, 0x0101053f, 0x0101056f, 0x01010570, 0x7f0300d9, 0x7f0300e1, 0x7f0300e2, 0x7f0300e3, 0x7f0301dd }; /** * <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> * @attr description * References to the framework attrs * * <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 android.R.attr#ttcIndex} * 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:ttcIndex */ public static final int FontFamilyFont_android_ttcIndex=3; /** * <p>This symbol is the offset where the {@link android.R.attr#fontVariationSettings} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:fontVariationSettings */ public static final int FontFamilyFont_android_fontVariationSettings=4; /** * <p> * @attr description * The reference to the font file to be used. This should be a file in the res/font folder * and should therefore have an R reference value. E.g. @font/myfont * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:font */ public static final int FontFamilyFont_font=5; /** * <p> * @attr description * The style of the given font file. This will be used when the font is being loaded into * the font stack and will override any style information in the font's header tables. If * unspecified, the value in the font's header tables will be used. * * <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 org.lamw.pascalid1:fontStyle */ public static final int FontFamilyFont_fontStyle=6; /** * <p> * @attr description * The variation settings to be applied to the font. The string should be in the following * format: "'tag1' value1, 'tag2' value2, ...". If the default variation settings should be * used, or the font used does not support variation settings, this attribute needs not be * specified. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontVariationSettings */ public static final int FontFamilyFont_fontVariationSettings=7; /** * <p> * @attr description * The weight of the given font file. This will be used when the font is being loaded into * the font stack and will override any weight information in the font's header tables. Must * be a positive number, a multiple of 100, and between 100 and 900, inclusive. The most * common values are 400 for regular weight and 700 for bold weight. If unspecified, the value * in the font's header tables will be used. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name org.lamw.pascalid1:fontWeight */ public static final int FontFamilyFont_fontWeight=8; /** * <p> * @attr description * The index of the font in the tcc font file. If the font file referenced is not in the * tcc format, this attribute needs not be specified. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name org.lamw.pascalid1:ttcIndex */ public static final int FontFamilyFont_ttcIndex=9; /** * 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 org.lamw.pascalid1: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, 0x7f0300e4 }; /** * <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 org.lamw.pascalid1.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 org.lamw.pascalid1:foregroundInsidePadding */ public static final int ForegroundLinearLayout_foregroundInsidePadding=2; /** * Attributes that can be used with a GradientColor. * <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 #GradientColor_android_startColor android:startColor}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_endColor android:endColor}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_type android:type}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_centerX android:centerX}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_centerY android:centerY}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_gradientRadius android:gradientRadius}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_tileMode android:tileMode}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_centerColor android:centerColor}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_startX android:startX}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_startY android:startY}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_endX android:endX}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_endY android:endY}</code></td><td></td></tr> * </table> * @see #GradientColor_android_startColor * @see #GradientColor_android_endColor * @see #GradientColor_android_type * @see #GradientColor_android_centerX * @see #GradientColor_android_centerY * @see #GradientColor_android_gradientRadius * @see #GradientColor_android_tileMode * @see #GradientColor_android_centerColor * @see #GradientColor_android_startX * @see #GradientColor_android_startY * @see #GradientColor_android_endX * @see #GradientColor_android_endY */ public static final int[] GradientColor={ 0x0101019d, 0x0101019e, 0x010101a1, 0x010101a2, 0x010101a3, 0x010101a4, 0x01010201, 0x0101020b, 0x01010510, 0x01010511, 0x01010512, 0x01010513 }; /** * <p> * @attr description * Start color of the gradient. * * <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:startColor */ public static final int GradientColor_android_startColor=0; /** * <p> * @attr description * End color of the gradient. * * <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:endColor */ public static final int GradientColor_android_endColor=1; /** * <p> * @attr description * Type of gradient. The default type is linear. * * <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>linear</td><td>0</td><td></td></tr> * <tr><td>radial</td><td>1</td><td></td></tr> * <tr><td>sweep</td><td>2</td><td></td></tr> * </table> * * @attr name android:type */ public static final int GradientColor_android_type=2; /** * <p> * @attr description * X coordinate of the center of the gradient within the path. * * <p>May be a floating point value, such as "<code>1.2</code>". * <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 android:centerX */ public static final int GradientColor_android_centerX=3; /** * <p> * @attr description * Y coordinate of the center of the gradient within the path. * * <p>May be a floating point value, such as "<code>1.2</code>". * <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 android:centerY */ public static final int GradientColor_android_centerY=4; /** * <p> * @attr description * Radius of the gradient, used only with radial gradient. * * <p>May be a floating point value, such as "<code>1.2</code>". * <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 android:gradientRadius */ public static final int GradientColor_android_gradientRadius=5; /** * <p> * @attr description * Defines the tile mode of the gradient. SweepGradient doesn't support tiling. * * <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>clamp</td><td>0</td><td></td></tr> * <tr><td>disabled</td><td>ffffffff</td><td></td></tr> * <tr><td>mirror</td><td>2</td><td></td></tr> * <tr><td>repeat</td><td>1</td><td></td></tr> * </table> * * @attr name android:tileMode */ public static final int GradientColor_android_tileMode=6; /** * <p> * @attr description * Optional center color. * * <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:centerColor */ public static final int GradientColor_android_centerColor=7; /** * <p> * @attr description * X coordinate of the start point origin of the gradient. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:startX */ public static final int GradientColor_android_startX=8; /** * <p> * @attr description * Y coordinate of the start point of the gradient within the shape. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:startY */ public static final int GradientColor_android_startY=9; /** * <p> * @attr description * X coordinate of the end point origin of the gradient. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:endX */ public static final int GradientColor_android_endX=10; /** * <p> * @attr description * Y coordinate of the end point of the gradient within the shape. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:endY */ public static final int GradientColor_android_endY=11; /** * Attributes that can be used with a GradientColorItem. * <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 #GradientColorItem_android_color android:color}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColorItem_android_offset android:offset}</code></td><td></td></tr> * </table> * @see #GradientColorItem_android_color * @see #GradientColorItem_android_offset */ public static final int[] GradientColorItem={ 0x010101a5, 0x01010514 }; /** * <p> * @attr description * The current color for the offset inside the gradient. * * <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 GradientColorItem_android_color=0; /** * <p> * @attr description * The offset (or ratio) of this current color item inside the gradient. * The value is only meaningful when it is between 0 and 1. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:offset */ public static final int GradientColorItem_android_offset=1; /** * 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 org.lamw.pascalid1:divider}</code></td><td>Specifies the drawable used for item dividers.</td></tr> * <tr><td><code>{@link #LinearLayoutCompat_dividerPadding org.lamw.pascalid1:dividerPadding}</code></td><td>Size of padding on either end of a divider.</td></tr> * <tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild org.lamw.pascalid1:measureWithLargestChild}</code></td><td>When set to true, all children with a weight will be considered having * the minimum size of the largest child.</td></tr> * <tr><td><code>{@link #LinearLayoutCompat_showDividers org.lamw.pascalid1:showDividers}</code></td><td>Setting for which dividers to show.</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, 0x7f0300ab, 0x7f0300ad, 0x7f030137, 0x7f030165 }; /** * <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> * @attr description * Should the layout be a column or a row? Use "horizontal" * for a row, "vertical" for a column. The default is * horizontal. * * <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> * @attr description * When set to false, prevents the layout from aligning its children's * baselines. This attribute is particularly useful when the children * use different values for gravity. The default value is true. * * <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> * @attr description * When a linear layout is part of another layout that is baseline * aligned, it can specify which of its children to baseline align to * (that is, which child TextView). * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:baselineAlignedChildIndex */ public static final int LinearLayoutCompat_android_baselineAlignedChildIndex=3; /** * <p> * @attr description * Defines the maximum weight sum. If unspecified, the sum is computed * by adding the layout_weight of all of the children. This can be * used for instance to give a single child 50% of the total available * space by giving it a layout_weight of 0.5 and setting the weightSum * to 1.0. * * <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> * @attr description * Drawable to use as a vertical divider between buttons. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:divider */ public static final int LinearLayoutCompat_divider=5; /** * <p> * @attr description * Size of padding on either end of a divider. * * <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 org.lamw.pascalid1:dividerPadding */ public static final int LinearLayoutCompat_dividerPadding=6; /** * <p> * @attr description * When set to true, all children with a weight will be considered having * the minimum size of the largest child. If false, all children are * measured normally. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:measureWithLargestChild */ public static final int LinearLayoutCompat_measureWithLargestChild=7; /** * <p> * @attr description * Setting for which dividers to show. * * <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 org.lamw.pascalid1: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> * @attr description * Amount of pixels by which the drop down should be offset horizontally. * * <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> * @attr description * Amount of pixels by which the drop down should be offset vertically. * * <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 MaterialButton. * <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 #MaterialButton_android_insetLeft android:insetLeft}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_android_insetRight android:insetRight}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_android_insetTop android:insetTop}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_android_insetBottom android:insetBottom}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_backgroundTint org.lamw.pascalid1:backgroundTint}</code></td><td>Tint to apply to the background.</td></tr> * <tr><td><code>{@link #MaterialButton_backgroundTintMode org.lamw.pascalid1:backgroundTintMode}</code></td><td>Blending mode used to apply the background tint.</td></tr> * <tr><td><code>{@link #MaterialButton_cornerRadius org.lamw.pascalid1:cornerRadius}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_icon org.lamw.pascalid1:icon}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_iconGravity org.lamw.pascalid1:iconGravity}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_iconPadding org.lamw.pascalid1:iconPadding}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_iconSize org.lamw.pascalid1:iconSize}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_iconTint org.lamw.pascalid1:iconTint}</code></td><td>Tint to apply to the icon.</td></tr> * <tr><td><code>{@link #MaterialButton_iconTintMode org.lamw.pascalid1:iconTintMode}</code></td><td>Blending mode used to apply the icon tint.</td></tr> * <tr><td><code>{@link #MaterialButton_rippleColor org.lamw.pascalid1:rippleColor}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_strokeColor org.lamw.pascalid1:strokeColor}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialButton_strokeWidth org.lamw.pascalid1:strokeWidth}</code></td><td></td></tr> * </table> * @see #MaterialButton_android_insetLeft * @see #MaterialButton_android_insetRight * @see #MaterialButton_android_insetTop * @see #MaterialButton_android_insetBottom * @see #MaterialButton_backgroundTint * @see #MaterialButton_backgroundTintMode * @see #MaterialButton_cornerRadius * @see #MaterialButton_icon * @see #MaterialButton_iconGravity * @see #MaterialButton_iconPadding * @see #MaterialButton_iconSize * @see #MaterialButton_iconTint * @see #MaterialButton_iconTintMode * @see #MaterialButton_rippleColor * @see #MaterialButton_strokeColor * @see #MaterialButton_strokeWidth */ public static final int[] MaterialButton={ 0x010101b7, 0x010101b8, 0x010101b9, 0x010101ba, 0x7f030034, 0x7f030035, 0x7f0300a0, 0x7f0300f5, 0x7f0300f7, 0x7f0300f8, 0x7f0300f9, 0x7f0300fb, 0x7f0300fc, 0x7f03015a, 0x7f03017c, 0x7f03017d }; /** * <p>This symbol is the offset where the {@link android.R.attr#insetLeft} * attribute's value can be found in the {@link #MaterialButton} 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 android:insetLeft */ public static final int MaterialButton_android_insetLeft=0; /** * <p>This symbol is the offset where the {@link android.R.attr#insetRight} * attribute's value can be found in the {@link #MaterialButton} 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 android:insetRight */ public static final int MaterialButton_android_insetRight=1; /** * <p>This symbol is the offset where the {@link android.R.attr#insetTop} * attribute's value can be found in the {@link #MaterialButton} 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 android:insetTop */ public static final int MaterialButton_android_insetTop=2; /** * <p>This symbol is the offset where the {@link android.R.attr#insetBottom} * attribute's value can be found in the {@link #MaterialButton} 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 android:insetBottom */ public static final int MaterialButton_android_insetBottom=3; /** * <p> * @attr description * Tint to apply to the background. * * <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 org.lamw.pascalid1:backgroundTint */ public static final int MaterialButton_backgroundTint=4; /** * <p> * @attr description * Blending mode used to apply the background tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:backgroundTintMode */ public static final int MaterialButton_backgroundTintMode=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#cornerRadius} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:cornerRadius */ public static final int MaterialButton_cornerRadius=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#icon} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:icon */ public static final int MaterialButton_icon=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#iconGravity} * attribute's value can be found in the {@link #MaterialButton} 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>start</td><td>1</td><td></td></tr> * <tr><td>textStart</td><td>2</td><td></td></tr> * </table> * * @attr name org.lamw.pascalid1:iconGravity */ public static final int MaterialButton_iconGravity=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#iconPadding} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:iconPadding */ public static final int MaterialButton_iconPadding=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#iconSize} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:iconSize */ public static final int MaterialButton_iconSize=10; /** * <p> * @attr description * Tint to apply to the icon. * * <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 org.lamw.pascalid1:iconTint */ public static final int MaterialButton_iconTint=11; /** * <p> * @attr description * Blending mode used to apply the icon tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the icon with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the icon, but with the icon’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the icon. The icon’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the icon. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:iconTintMode */ public static final int MaterialButton_iconTintMode=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#rippleColor} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:rippleColor */ public static final int MaterialButton_rippleColor=13; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#strokeColor} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:strokeColor */ public static final int MaterialButton_strokeColor=14; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#strokeWidth} * attribute's value can be found in the {@link #MaterialButton} 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 org.lamw.pascalid1:strokeWidth */ public static final int MaterialButton_strokeWidth=15; /** * Attributes that can be used with a MaterialCardView. * <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 #MaterialCardView_strokeColor org.lamw.pascalid1:strokeColor}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialCardView_strokeWidth org.lamw.pascalid1:strokeWidth}</code></td><td></td></tr> * </table> * @see #MaterialCardView_strokeColor * @see #MaterialCardView_strokeWidth */ public static final int[] MaterialCardView={ 0x7f03017c, 0x7f03017d }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#strokeColor} * attribute's value can be found in the {@link #MaterialCardView} 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 org.lamw.pascalid1:strokeColor */ public static final int MaterialCardView_strokeColor=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#strokeWidth} * attribute's value can be found in the {@link #MaterialCardView} 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 org.lamw.pascalid1:strokeWidth */ public static final int MaterialCardView_strokeWidth=1; /** * Attributes that can be used with a MaterialComponentsTheme. * <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 #MaterialComponentsTheme_bottomSheetDialogTheme org.lamw.pascalid1:bottomSheetDialogTheme}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_bottomSheetStyle org.lamw.pascalid1:bottomSheetStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_chipGroupStyle org.lamw.pascalid1:chipGroupStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_chipStandaloneStyle org.lamw.pascalid1:chipStandaloneStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_chipStyle org.lamw.pascalid1:chipStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_colorAccent org.lamw.pascalid1:colorAccent}</code></td><td>Bright complement to the primary branding color.</td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_colorBackgroundFloating org.lamw.pascalid1:colorBackgroundFloating}</code></td><td>Default color of background imagery for floating components, ex.</td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_colorPrimary org.lamw.pascalid1:colorPrimary}</code></td><td>The primary branding color for the app.</td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_colorPrimaryDark org.lamw.pascalid1:colorPrimaryDark}</code></td><td>Dark variant of the primary branding color.</td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_colorSecondary org.lamw.pascalid1:colorSecondary}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_editTextStyle org.lamw.pascalid1:editTextStyle}</code></td><td>Default EditText style.</td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_floatingActionButtonStyle org.lamw.pascalid1:floatingActionButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_materialButtonStyle org.lamw.pascalid1:materialButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_materialCardViewStyle org.lamw.pascalid1:materialCardViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_navigationViewStyle org.lamw.pascalid1:navigationViewStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_scrimBackground org.lamw.pascalid1:scrimBackground}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_snackbarButtonStyle org.lamw.pascalid1:snackbarButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_tabStyle org.lamw.pascalid1:tabStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceBody1 org.lamw.pascalid1:textAppearanceBody1}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceBody2 org.lamw.pascalid1:textAppearanceBody2}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceButton org.lamw.pascalid1:textAppearanceButton}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceCaption org.lamw.pascalid1:textAppearanceCaption}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceHeadline1 org.lamw.pascalid1:textAppearanceHeadline1}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceHeadline2 org.lamw.pascalid1:textAppearanceHeadline2}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceHeadline3 org.lamw.pascalid1:textAppearanceHeadline3}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceHeadline4 org.lamw.pascalid1:textAppearanceHeadline4}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceHeadline5 org.lamw.pascalid1:textAppearanceHeadline5}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceHeadline6 org.lamw.pascalid1:textAppearanceHeadline6}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceOverline org.lamw.pascalid1:textAppearanceOverline}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceSubtitle1 org.lamw.pascalid1:textAppearanceSubtitle1}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textAppearanceSubtitle2 org.lamw.pascalid1:textAppearanceSubtitle2}</code></td><td></td></tr> * <tr><td><code>{@link #MaterialComponentsTheme_textInputStyle org.lamw.pascalid1:textInputStyle}</code></td><td></td></tr> * </table> * @see #MaterialComponentsTheme_bottomSheetDialogTheme * @see #MaterialComponentsTheme_bottomSheetStyle * @see #MaterialComponentsTheme_chipGroupStyle * @see #MaterialComponentsTheme_chipStandaloneStyle * @see #MaterialComponentsTheme_chipStyle * @see #MaterialComponentsTheme_colorAccent * @see #MaterialComponentsTheme_colorBackgroundFloating * @see #MaterialComponentsTheme_colorPrimary * @see #MaterialComponentsTheme_colorPrimaryDark * @see #MaterialComponentsTheme_colorSecondary * @see #MaterialComponentsTheme_editTextStyle * @see #MaterialComponentsTheme_floatingActionButtonStyle * @see #MaterialComponentsTheme_materialButtonStyle * @see #MaterialComponentsTheme_materialCardViewStyle * @see #MaterialComponentsTheme_navigationViewStyle * @see #MaterialComponentsTheme_scrimBackground * @see #MaterialComponentsTheme_snackbarButtonStyle * @see #MaterialComponentsTheme_tabStyle * @see #MaterialComponentsTheme_textAppearanceBody1 * @see #MaterialComponentsTheme_textAppearanceBody2 * @see #MaterialComponentsTheme_textAppearanceButton * @see #MaterialComponentsTheme_textAppearanceCaption * @see #MaterialComponentsTheme_textAppearanceHeadline1 * @see #MaterialComponentsTheme_textAppearanceHeadline2 * @see #MaterialComponentsTheme_textAppearanceHeadline3 * @see #MaterialComponentsTheme_textAppearanceHeadline4 * @see #MaterialComponentsTheme_textAppearanceHeadline5 * @see #MaterialComponentsTheme_textAppearanceHeadline6 * @see #MaterialComponentsTheme_textAppearanceOverline * @see #MaterialComponentsTheme_textAppearanceSubtitle1 * @see #MaterialComponentsTheme_textAppearanceSubtitle2 * @see #MaterialComponentsTheme_textInputStyle */ public static final int[] MaterialComponentsTheme={ 0x7f030041, 0x7f030042, 0x7f030069, 0x7f030073, 0x7f030077, 0x7f030085, 0x7f030086, 0x7f03008c, 0x7f03008d, 0x7f03008e, 0x7f0300bd, 0x7f0300d8, 0x7f030132, 0x7f030133, 0x7f03013d, 0x7f03015c, 0x7f03016c, 0x7f03019f, 0x7f0301a4, 0x7f0301a5, 0x7f0301a6, 0x7f0301a7, 0x7f0301a8, 0x7f0301a9, 0x7f0301aa, 0x7f0301ab, 0x7f0301ac, 0x7f0301ad, 0x7f0301b2, 0x7f0301b7, 0x7f0301b8, 0x7f0301bc }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#bottomSheetDialogTheme} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:bottomSheetDialogTheme */ public static final int MaterialComponentsTheme_bottomSheetDialogTheme=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#bottomSheetStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:bottomSheetStyle */ public static final int MaterialComponentsTheme_bottomSheetStyle=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipGroupStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:chipGroupStyle */ public static final int MaterialComponentsTheme_chipGroupStyle=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipStandaloneStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:chipStandaloneStyle */ public static final int MaterialComponentsTheme_chipStandaloneStyle=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#chipStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:chipStyle */ public static final int MaterialComponentsTheme_chipStyle=4; /** * <p> * @attr description * Bright complement to the primary branding color. By default, this is the color applied * to framework controls (via colorControlActivated). * * <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 org.lamw.pascalid1:colorAccent */ public static final int MaterialComponentsTheme_colorAccent=5; /** * <p> * @attr description * Default color of background imagery for floating components, ex. dialogs, popups, and cards. * * <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 org.lamw.pascalid1:colorBackgroundFloating */ public static final int MaterialComponentsTheme_colorBackgroundFloating=6; /** * <p> * @attr description * The primary branding color for the app. By default, this is the color applied to the * action bar background. * * <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 org.lamw.pascalid1:colorPrimary */ public static final int MaterialComponentsTheme_colorPrimary=7; /** * <p> * @attr description * Dark variant of the primary branding color. By default, this is the color applied to * the status bar (via statusBarColor) and navigation bar (via navigationBarColor). * * <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 org.lamw.pascalid1:colorPrimaryDark */ public static final int MaterialComponentsTheme_colorPrimaryDark=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#colorSecondary} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:colorSecondary */ public static final int MaterialComponentsTheme_colorSecondary=9; /** * <p> * @attr description * Default EditText style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:editTextStyle */ public static final int MaterialComponentsTheme_editTextStyle=10; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#floatingActionButtonStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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; * <p>May be an integer value, such as "<code>100</code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</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>". * <p>May be a floating point value, such as "<code>1.2</code>". * <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 org.lamw.pascalid1:floatingActionButtonStyle */ public static final int MaterialComponentsTheme_floatingActionButtonStyle=11; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#materialButtonStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:materialButtonStyle */ public static final int MaterialComponentsTheme_materialButtonStyle=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#materialCardViewStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:materialCardViewStyle */ public static final int MaterialComponentsTheme_materialCardViewStyle=13; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#navigationViewStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:navigationViewStyle */ public static final int MaterialComponentsTheme_navigationViewStyle=14; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#scrimBackground} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:scrimBackground */ public static final int MaterialComponentsTheme_scrimBackground=15; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#snackbarButtonStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:snackbarButtonStyle */ public static final int MaterialComponentsTheme_snackbarButtonStyle=16; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:tabStyle */ public static final int MaterialComponentsTheme_tabStyle=17; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceBody1} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceBody1 */ public static final int MaterialComponentsTheme_textAppearanceBody1=18; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceBody2} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceBody2 */ public static final int MaterialComponentsTheme_textAppearanceBody2=19; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceButton} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceButton */ public static final int MaterialComponentsTheme_textAppearanceButton=20; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceCaption} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceCaption */ public static final int MaterialComponentsTheme_textAppearanceCaption=21; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceHeadline1} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceHeadline1 */ public static final int MaterialComponentsTheme_textAppearanceHeadline1=22; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceHeadline2} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceHeadline2 */ public static final int MaterialComponentsTheme_textAppearanceHeadline2=23; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceHeadline3} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceHeadline3 */ public static final int MaterialComponentsTheme_textAppearanceHeadline3=24; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceHeadline4} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceHeadline4 */ public static final int MaterialComponentsTheme_textAppearanceHeadline4=25; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceHeadline5} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceHeadline5 */ public static final int MaterialComponentsTheme_textAppearanceHeadline5=26; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceHeadline6} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceHeadline6 */ public static final int MaterialComponentsTheme_textAppearanceHeadline6=27; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceOverline} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceOverline */ public static final int MaterialComponentsTheme_textAppearanceOverline=28; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceSubtitle1} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceSubtitle1 */ public static final int MaterialComponentsTheme_textAppearanceSubtitle1=29; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textAppearanceSubtitle2} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textAppearanceSubtitle2 */ public static final int MaterialComponentsTheme_textAppearanceSubtitle2=30; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#textInputStyle} * attribute's value can be found in the {@link #MaterialComponentsTheme} 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 org.lamw.pascalid1:textInputStyle */ public static final int MaterialComponentsTheme_textInputStyle=31; /** * 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> * @attr description * Whether the items are enabled. * * <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> * @attr description * The ID of the group. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Whether the items are shown/visible. * * <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> * @attr description * The category applied to all items within this group. * (This will be or'ed with the orderInCategory attribute.) * * <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> * @attr description * The order within the category applied to all items within this group. * (This will be or'ed with the category attribute.) * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:orderInCategory */ public static final int MenuGroup_android_orderInCategory=4; /** * <p> * @attr description * Whether the items are capable of displaying a check mark. * * <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 org.lamw.pascalid1:actionLayout}</code></td><td>An optional layout to be used as an action view.</td></tr> * <tr><td><code>{@link #MenuItem_actionProviderClass org.lamw.pascalid1:actionProviderClass}</code></td><td>The name of an optional ActionProvider class to instantiate an action view * and perform operations such as default action for that menu item.</td></tr> * <tr><td><code>{@link #MenuItem_actionViewClass org.lamw.pascalid1:actionViewClass}</code></td><td>The name of an optional View class to instantiate and use as an * action view.</td></tr> * <tr><td><code>{@link #MenuItem_alphabeticModifiers org.lamw.pascalid1:alphabeticModifiers}</code></td><td>The alphabetic modifier key.</td></tr> * <tr><td><code>{@link #MenuItem_contentDescription org.lamw.pascalid1:contentDescription}</code></td><td>The content description associated with the item.</td></tr> * <tr><td><code>{@link #MenuItem_iconTint org.lamw.pascalid1:iconTint}</code></td><td>Tint to apply to the icon.</td></tr> * <tr><td><code>{@link #MenuItem_iconTintMode org.lamw.pascalid1:iconTintMode}</code></td><td>Blending mode used to apply the icon tint.</td></tr> * <tr><td><code>{@link #MenuItem_numericModifiers org.lamw.pascalid1:numericModifiers}</code></td><td>The numeric modifier key.</td></tr> * <tr><td><code>{@link #MenuItem_showAsAction org.lamw.pascalid1:showAsAction}</code></td><td>How this item should display in the Action Bar, if present.</td></tr> * <tr><td><code>{@link #MenuItem_tooltipText org.lamw.pascalid1:tooltipText}</code></td><td>The tooltip text associated with the item.</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, 0x7f03000d, 0x7f03001f, 0x7f030020, 0x7f030028, 0x7f030091, 0x7f0300fb, 0x7f0300fc, 0x7f03013e, 0x7f030164, 0x7f0301d9 }; /** * <p> * @attr description * The icon associated with this item. This icon will not always be shown, so * the title should be sufficient in describing this item. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Whether the item is enabled. * * <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> * @attr description * The ID of the item. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Whether the item is checked. Note that you must first have enabled checking with * the checkable attribute or else the check mark will not appear. * * <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> * @attr description * Whether the item is shown/visible. * * <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> * @attr description * The category applied to the item. * (This will be or'ed with the orderInCategory attribute.) * * <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> * @attr description * The order within the category applied to the item. * (This will be or'ed with the category attribute.) * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:orderInCategory */ public static final int MenuItem_android_orderInCategory=6; /** * <p> * @attr description * The title associated with the item. * * <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> * @attr description * The condensed title associated with the item. This is used in situations where the * normal title may be too long to be displayed. * * <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> * @attr description * The alphabetic shortcut key. This is the shortcut when using a keyboard * with alphabetic keys. * * <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> * @attr description * The numeric shortcut key. This is the shortcut when using a numeric (e.g., 12-key) * keyboard. * * <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> * @attr description * Whether the item is capable of displaying a check mark. * * <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> * @attr description * Name of a method on the Context used to inflate the menu that will be * called when the item is clicked. * * <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> * @attr description * An optional layout to be used as an action view. * See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:actionLayout */ public static final int MenuItem_actionLayout=13; /** * <p> * @attr description * The name of an optional ActionProvider class to instantiate an action view * and perform operations such as default action for that menu item. * See {@link android.view.MenuItem#setActionProvider(android.view.ActionProvider)} * for more info. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:actionProviderClass */ public static final int MenuItem_actionProviderClass=14; /** * <p> * @attr description * The name of an optional View class to instantiate and use as an * action view. See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:actionViewClass */ public static final int MenuItem_actionViewClass=15; /** * <p> * @attr description * The alphabetic modifier key. This is the modifier when using a keyboard * with alphabetic keys. The values should be kept in sync with KeyEvent * * <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 org.lamw.pascalid1:alphabeticModifiers */ public static final int MenuItem_alphabeticModifiers=16; /** * <p> * @attr description * The content description associated with the item. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:contentDescription */ public static final int MenuItem_contentDescription=17; /** * <p> * @attr description * Tint to apply to the icon. * * <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 org.lamw.pascalid1:iconTint */ public static final int MenuItem_iconTint=18; /** * <p> * @attr description * Blending mode used to apply the icon tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the icon with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the icon, but with the icon’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the icon. The icon’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the icon. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:iconTintMode */ public static final int MenuItem_iconTintMode=19; /** * <p> * @attr description * The numeric modifier key. This is the modifier when using a numeric (e.g., 12-key) * keyboard. The values should be kept in sync with KeyEvent * * <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 org.lamw.pascalid1:numericModifiers */ public static final int MenuItem_numericModifiers=20; /** * <p> * @attr description * How this item should display in the Action Bar, if present. * * <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>Always show this item in an actionbar, even if it would override * the system's limits of how much stuff to put there. This may make * your action bar look bad on some screens. In most cases you should * use "ifRoom" instead. Mutually exclusive with "ifRoom" and "never".</td></tr> * <tr><td>collapseActionView</td><td>8</td><td>This item's action view collapses to a normal menu * item. When expanded, the action view takes over a * larger segment of its container.</td></tr> * <tr><td>ifRoom</td><td>1</td><td>Show this item in an action bar if there is room for it as determined * by the system. Favor this option over "always" where possible. * Mutually exclusive with "never" and "always".</td></tr> * <tr><td>never</td><td>0</td><td>Never show this item in an action bar, show it in the overflow menu instead. * Mutually exclusive with "ifRoom" and "always".</td></tr> * <tr><td>withText</td><td>4</td><td>When this item is shown as an action in the action bar, show a text * label with it even if it has an icon representation.</td></tr> * </table> * * @attr name org.lamw.pascalid1:showAsAction */ public static final int MenuItem_showAsAction=21; /** * <p> * @attr description * The tooltip text associated with the item. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:preserveIconSpacing}</code></td><td>Whether space should be reserved in layout when an icon is missing.</td></tr> * <tr><td><code>{@link #MenuView_subMenuArrow org.lamw.pascalid1:subMenuArrow}</code></td><td>Drawable for the arrow icon indicating a particular item is a submenu.</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, 0x7f03014f, 0x7f03017e }; /** * <p> * @attr description * Default animations for the menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Default appearance of menu item text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Default horizontal divider between rows of menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Default vertical divider between menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Default background for the menu header. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Default background for each menu item. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Default disabled icon alpha for each menu item that shows an icon. * * <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> * @attr description * Whether space should be reserved in layout when an icon is missing. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:preserveIconSpacing */ public static final int MenuView_preserveIconSpacing=7; /** * <p> * @attr description * Drawable for the arrow icon indicating a particular item is a submenu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1: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 org.lamw.pascalid1:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #NavigationView_headerLayout org.lamw.pascalid1:headerLayout}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemBackground org.lamw.pascalid1:itemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemHorizontalPadding org.lamw.pascalid1:itemHorizontalPadding}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemIconPadding org.lamw.pascalid1:itemIconPadding}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemIconTint org.lamw.pascalid1:itemIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemTextAppearance org.lamw.pascalid1:itemTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_itemTextColor org.lamw.pascalid1:itemTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #NavigationView_menu org.lamw.pascalid1:menu}</code></td><td>Menu resource to inflate to be shown in the toolbar</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_itemHorizontalPadding * @see #NavigationView_itemIconPadding * @see #NavigationView_itemIconTint * @see #NavigationView_itemTextAppearance * @see #NavigationView_itemTextColor * @see #NavigationView_menu */ public static final int[] NavigationView={ 0x010100d4, 0x010100dd, 0x0101011f, 0x7f0300be, 0x7f0300e7, 0x7f030103, 0x7f030104, 0x7f030106, 0x7f030108, 0x7f03010b, 0x7f03010e, 0x7f030138 }; /** * <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> * @attr description * Elevation for the action bar itself * * <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 org.lamw.pascalid1:elevation */ public static final int NavigationView_elevation=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:headerLayout */ public static final int NavigationView_headerLayout=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemBackground */ public static final int NavigationView_itemBackground=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemHorizontalPadding} * 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 org.lamw.pascalid1:itemHorizontalPadding */ public static final int NavigationView_itemHorizontalPadding=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#itemIconPadding} * 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 org.lamw.pascalid1:itemIconPadding */ public static final int NavigationView_itemIconPadding=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemIconTint */ public static final int NavigationView_itemIconTint=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemTextAppearance */ public static final int NavigationView_itemTextAppearance=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:itemTextColor */ public static final int NavigationView_itemTextColor=10; /** * <p> * @attr description * Menu resource to inflate to be shown in the toolbar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:menu */ public static final int NavigationView_menu=11; /** * 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 org.lamw.pascalid1:overlapAnchor}</code></td><td>Whether the popup window should overlap its anchor view.</td></tr> * </table> * @see #PopupWindow_android_popupBackground * @see #PopupWindow_android_popupAnimationStyle * @see #PopupWindow_overlapAnchor */ public static final int[] PopupWindow={ 0x01010176, 0x010102c9, 0x7f03013f }; /** * <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> * @attr description * Whether the popup window should overlap its anchor view. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:state_above_anchor}</code></td><td>State identifier indicating the popup will be above the anchor.</td></tr> * </table> * @see #PopupWindowBackgroundState_state_above_anchor */ public static final int[] PopupWindowBackgroundState={ 0x7f030175 }; /** * <p> * @attr description * State identifier indicating the popup will be above the anchor. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:paddingBottomNoButtons}</code></td><td>Bottom padding to use when no buttons are present.</td></tr> * <tr><td><code>{@link #RecycleListView_paddingTopNoTitle org.lamw.pascalid1:paddingTopNoTitle}</code></td><td>Top padding to use when no title is present.</td></tr> * </table> * @see #RecycleListView_paddingBottomNoButtons * @see #RecycleListView_paddingTopNoTitle */ public static final int[] RecycleListView={ 0x7f030140, 0x7f030143 }; /** * <p> * @attr description * Bottom padding to use when no buttons are present. * * <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 org.lamw.pascalid1:paddingBottomNoButtons */ public static final int RecycleListView_paddingBottomNoButtons=0; /** * <p> * @attr description * Top padding to use when no title is present. * * <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 org.lamw.pascalid1: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 org.lamw.pascalid1:fastScrollEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollHorizontalThumbDrawable org.lamw.pascalid1:fastScrollHorizontalThumbDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollHorizontalTrackDrawable org.lamw.pascalid1:fastScrollHorizontalTrackDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollVerticalThumbDrawable org.lamw.pascalid1:fastScrollVerticalThumbDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_fastScrollVerticalTrackDrawable org.lamw.pascalid1:fastScrollVerticalTrackDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_layoutManager org.lamw.pascalid1:layoutManager}</code></td><td>Class name of the Layout Manager to be used.</td></tr> * <tr><td><code>{@link #RecyclerView_reverseLayout org.lamw.pascalid1:reverseLayout}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_spanCount org.lamw.pascalid1:spanCount}</code></td><td></td></tr> * <tr><td><code>{@link #RecyclerView_stackFromEnd org.lamw.pascalid1: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, 0x7f0300d2, 0x7f0300d3, 0x7f0300d4, 0x7f0300d5, 0x7f0300d6, 0x7f030113, 0x7f030159, 0x7f03016e, 0x7f030174 }; /** * <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 org.lamw.pascalid1.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 org.lamw.pascalid1:fastScrollEnabled */ public static final int RecyclerView_fastScrollEnabled=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:fastScrollHorizontalThumbDrawable */ public static final int RecyclerView_fastScrollHorizontalThumbDrawable=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:fastScrollHorizontalTrackDrawable */ public static final int RecyclerView_fastScrollHorizontalTrackDrawable=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:fastScrollVerticalThumbDrawable */ public static final int RecyclerView_fastScrollVerticalThumbDrawable=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:fastScrollVerticalTrackDrawable */ public static final int RecyclerView_fastScrollVerticalTrackDrawable=6; /** * <p> * @attr description * Class name of the Layout Manager to be used. * <p/> * The class must extandroidx.recyclerview.widget.RecyclerViewView$LayoutManager * and have either a default constructor or constructor with the signature * (android.content.Context, android.util.AttributeSet, int, int). * <p/> * If the name starts with a '.', application package is prefixed. * Else, if the name contains a '.', the classname is assumed to be a full class name. * Else, the recycler view package naandroidx.appcompat.widgetdget) is prefixed. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:layoutManager */ public static final int RecyclerView_layoutManager=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:reverseLayout */ public static final int RecyclerView_reverseLayout=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:spanCount */ public static final int RecyclerView_spanCount=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:insetForeground}</code></td><td></td></tr> * </table> * @see #ScrimInsetsFrameLayout_insetForeground */ public static final int[] ScrimInsetsFrameLayout={ 0x7f030101 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:behavior_overlapTop}</code></td><td></td></tr> * </table> * @see #ScrollingViewBehavior_Layout_behavior_overlapTop */ public static final int[] ScrollingViewBehavior_Layout={ 0x7f03003a }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:closeIcon}</code></td><td>Close button icon</td></tr> * <tr><td><code>{@link #SearchView_commitIcon org.lamw.pascalid1:commitIcon}</code></td><td>Commit icon shown in the query suggestion row</td></tr> * <tr><td><code>{@link #SearchView_defaultQueryHint org.lamw.pascalid1:defaultQueryHint}</code></td><td>Default query hint used when {@code queryHint} is undefined and * the search view's {@code SearchableInfo} does not provide a hint.</td></tr> * <tr><td><code>{@link #SearchView_goIcon org.lamw.pascalid1:goIcon}</code></td><td>Go button icon</td></tr> * <tr><td><code>{@link #SearchView_iconifiedByDefault org.lamw.pascalid1:iconifiedByDefault}</code></td><td>The default state of the SearchView.</td></tr> * <tr><td><code>{@link #SearchView_layout org.lamw.pascalid1:layout}</code></td><td>The layout to use for the search view.</td></tr> * <tr><td><code>{@link #SearchView_queryBackground org.lamw.pascalid1:queryBackground}</code></td><td>Background for the section containing the search query</td></tr> * <tr><td><code>{@link #SearchView_queryHint org.lamw.pascalid1:queryHint}</code></td><td>An optional user-defined query hint string to be displayed in the empty query field.</td></tr> * <tr><td><code>{@link #SearchView_searchHintIcon org.lamw.pascalid1:searchHintIcon}</code></td><td>Search icon displayed as a text field hint</td></tr> * <tr><td><code>{@link #SearchView_searchIcon org.lamw.pascalid1:searchIcon}</code></td><td>Search icon</td></tr> * <tr><td><code>{@link #SearchView_submitBackground org.lamw.pascalid1:submitBackground}</code></td><td>Background for the section containing the action (e.g.</td></tr> * <tr><td><code>{@link #SearchView_suggestionRowLayout org.lamw.pascalid1:suggestionRowLayout}</code></td><td>Layout for query suggestion rows</td></tr> * <tr><td><code>{@link #SearchView_voiceIcon org.lamw.pascalid1:voiceIcon}</code></td><td>Voice button icon</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, 0x7f030078, 0x7f030090, 0x7f0300a6, 0x7f0300e6, 0x7f0300fd, 0x7f030112, 0x7f030153, 0x7f030154, 0x7f03015e, 0x7f03015f, 0x7f03017f, 0x7f030184, 0x7f0301e0 }; /** * <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> * @attr description * An optional maximum width of the SearchView. * * <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> * @attr description * The input type to set on the query text field. * * <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> * @attr description * The IME options to set on the query text field. * * <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> * @attr description * Close button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:closeIcon */ public static final int SearchView_closeIcon=4; /** * <p> * @attr description * Commit icon shown in the query suggestion row * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:commitIcon */ public static final int SearchView_commitIcon=5; /** * <p> * @attr description * Default query hint used when {@code queryHint} is undefined and * the search view's {@code SearchableInfo} does not provide a hint. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:defaultQueryHint */ public static final int SearchView_defaultQueryHint=6; /** * <p> * @attr description * Go button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:goIcon */ public static final int SearchView_goIcon=7; /** * <p> * @attr description * The default state of the SearchView. If true, it will be iconified when not in * use and expanded when clicked. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:iconifiedByDefault */ public static final int SearchView_iconifiedByDefault=8; /** * <p> * @attr description * The layout to use for the search view. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:layout */ public static final int SearchView_layout=9; /** * <p> * @attr description * Background for the section containing the search query * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:queryBackground */ public static final int SearchView_queryBackground=10; /** * <p> * @attr description * An optional user-defined query hint string to be displayed in the empty query field. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:queryHint */ public static final int SearchView_queryHint=11; /** * <p> * @attr description * Search icon displayed as a text field hint * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:searchHintIcon */ public static final int SearchView_searchHintIcon=12; /** * <p> * @attr description * Search icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:searchIcon */ public static final int SearchView_searchIcon=13; /** * <p> * @attr description * Background for the section containing the action (e.g. voice search) * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:submitBackground */ public static final int SearchView_submitBackground=14; /** * <p> * @attr description * Layout for query suggestion rows * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:suggestionRowLayout */ public static final int SearchView_suggestionRowLayout=15; /** * <p> * @attr description * Voice button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:voiceIcon */ public static final int SearchView_voiceIcon=16; /** * Attributes that can be used with a Snackbar. * <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 #Snackbar_snackbarButtonStyle org.lamw.pascalid1:snackbarButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #Snackbar_snackbarStyle org.lamw.pascalid1:snackbarStyle}</code></td><td></td></tr> * </table> * @see #Snackbar_snackbarButtonStyle * @see #Snackbar_snackbarStyle */ public static final int[] Snackbar={ 0x7f03016c, 0x7f03016d }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#snackbarButtonStyle} * attribute's value can be found in the {@link #Snackbar} 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 org.lamw.pascalid1:snackbarButtonStyle */ public static final int Snackbar_snackbarButtonStyle=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#snackbarStyle} * attribute's value can be found in the {@link #Snackbar} 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 org.lamw.pascalid1:snackbarStyle */ public static final int Snackbar_snackbarStyle=1; /** * 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 org.lamw.pascalid1:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #SnackbarLayout_maxActionInlineWidth org.lamw.pascalid1:maxActionInlineWidth}</code></td><td></td></tr> * </table> * @see #SnackbarLayout_android_maxWidth * @see #SnackbarLayout_elevation * @see #SnackbarLayout_maxActionInlineWidth */ public static final int[] SnackbarLayout={ 0x0101011f, 0x7f0300be, 0x7f030134 }; /** * <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> * @attr description * Elevation for the action bar itself * * <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 org.lamw.pascalid1:elevation */ public static final int SnackbarLayout_elevation=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1: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 org.lamw.pascalid1:popupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</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, 0x7f03014d }; /** * <p> * @attr description * Reference to an array resource that will populate the Spinner. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Background drawable to use for the dropdown in spinnerMode="dropdown". * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * The prompt to display when the spinner's dialog is shown. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Width of the dropdown in spinnerMode="dropdown". * * <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> * @attr description * Theme to use for the drop-down or dialog popup window. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:popupTheme */ public static final int Spinner_popupTheme=4; /** * Attributes that can be used with a StateListDrawable. * <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 #StateListDrawable_android_dither android:dither}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_variablePadding android:variablePadding}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_constantSize android:constantSize}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_enterFadeDuration android:enterFadeDuration}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_exitFadeDuration android:exitFadeDuration}</code></td><td></td></tr> * </table> * @see #StateListDrawable_android_dither * @see #StateListDrawable_android_visible * @see #StateListDrawable_android_variablePadding * @see #StateListDrawable_android_constantSize * @see #StateListDrawable_android_enterFadeDuration * @see #StateListDrawable_android_exitFadeDuration */ public static final int[] StateListDrawable={ 0x0101011c, 0x01010194, 0x01010195, 0x01010196, 0x0101030c, 0x0101030d }; /** * <p> * @attr description * Enables or disables dithering of the bitmap if the bitmap does not have the * same pixel configuration as the screen (for instance: a ARGB 8888 bitmap with * an RGB 565 screen). * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:dither */ public static final int StateListDrawable_android_dither=0; /** * <p> * @attr description * Indicates whether the drawable should be initially visible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int StateListDrawable_android_visible=1; /** * <p> * @attr description * If true, allows the drawable's padding to change based on the * current state that is selected. If false, the padding will * stay the same (based on the maximum padding of all the states). * Enabling this feature requires that the owner of the drawable * deal with performing layout when the state changes, which is * often not supported. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:variablePadding */ public static final int StateListDrawable_android_variablePadding=2; /** * <p> * @attr description * If true, the drawable's reported internal size will remain * constant as the state changes; the size is the maximum of all * of the states. If false, the size will vary based on the * current state. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:constantSize */ public static final int StateListDrawable_android_constantSize=3; /** * <p> * @attr description * Amount of time (in milliseconds) to fade in a new state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:enterFadeDuration */ public static final int StateListDrawable_android_enterFadeDuration=4; /** * <p> * @attr description * Amount of time (in milliseconds) to fade out an old state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:exitFadeDuration */ public static final int StateListDrawable_android_exitFadeDuration=5; /** * Attributes that can be used with a StateListDrawableItem. * <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 #StateListDrawableItem_android_drawable android:drawable}</code></td><td></td></tr> * </table> * @see #StateListDrawableItem_android_drawable */ public static final int[] StateListDrawableItem={ 0x01010199 }; /** * <p> * @attr description * Reference to a drawable resource to use for the state. If not * given, the drawable must be defined by the first child tag. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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:drawable */ public static final int StateListDrawableItem_android_drawable=0; /** * 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 org.lamw.pascalid1:showText}</code></td><td>Whether to draw on/off text.</td></tr> * <tr><td><code>{@link #SwitchCompat_splitTrack org.lamw.pascalid1:splitTrack}</code></td><td>Whether to split the track and leave a gap for the thumb drawable.</td></tr> * <tr><td><code>{@link #SwitchCompat_switchMinWidth org.lamw.pascalid1:switchMinWidth}</code></td><td>Minimum width for the switch component</td></tr> * <tr><td><code>{@link #SwitchCompat_switchPadding org.lamw.pascalid1:switchPadding}</code></td><td>Minimum space between the switch and caption text</td></tr> * <tr><td><code>{@link #SwitchCompat_switchTextAppearance org.lamw.pascalid1:switchTextAppearance}</code></td><td>TextAppearance style for text displayed on the switch thumb.</td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTextPadding org.lamw.pascalid1:thumbTextPadding}</code></td><td>Amount of padding on either side of text within the switch thumb.</td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTint org.lamw.pascalid1:thumbTint}</code></td><td>Tint to apply to the thumb drawable.</td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTintMode org.lamw.pascalid1:thumbTintMode}</code></td><td>Blending mode used to apply the thumb tint.</td></tr> * <tr><td><code>{@link #SwitchCompat_track org.lamw.pascalid1:track}</code></td><td>Drawable to use as the "track" that the switch thumb slides within.</td></tr> * <tr><td><code>{@link #SwitchCompat_trackTint org.lamw.pascalid1:trackTint}</code></td><td>Tint to apply to the track.</td></tr> * <tr><td><code>{@link #SwitchCompat_trackTintMode org.lamw.pascalid1:trackTintMode}</code></td><td>Blending mode used to apply the track tint.</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, 0x7f030167, 0x7f030172, 0x7f030185, 0x7f030186, 0x7f030188, 0x7f0301c1, 0x7f0301c2, 0x7f0301c3, 0x7f0301da, 0x7f0301db, 0x7f0301dc }; /** * <p> * @attr description * Text to use when the switch is in the checked/"on" state. * * <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> * @attr description * Text to use when the switch is in the unchecked/"off" state. * * <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> * @attr description * Drawable to use as the "thumb" that switches back and forth. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Whether to draw on/off text. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:showText */ public static final int SwitchCompat_showText=3; /** * <p> * @attr description * Whether to split the track and leave a gap for the thumb drawable. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:splitTrack */ public static final int SwitchCompat_splitTrack=4; /** * <p> * @attr description * Minimum width for the switch component * * <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 org.lamw.pascalid1:switchMinWidth */ public static final int SwitchCompat_switchMinWidth=5; /** * <p> * @attr description * Minimum space between the switch and caption text * * <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 org.lamw.pascalid1:switchPadding */ public static final int SwitchCompat_switchPadding=6; /** * <p> * @attr description * TextAppearance style for text displayed on the switch thumb. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:switchTextAppearance */ public static final int SwitchCompat_switchTextAppearance=7; /** * <p> * @attr description * Amount of padding on either side of text within the switch thumb. * * <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 org.lamw.pascalid1:thumbTextPadding */ public static final int SwitchCompat_thumbTextPadding=8; /** * <p> * @attr description * Tint to apply to the thumb drawable. * * <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 org.lamw.pascalid1:thumbTint */ public static final int SwitchCompat_thumbTint=9; /** * <p> * @attr description * Blending mode used to apply the thumb tint. * * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1:thumbTintMode */ public static final int SwitchCompat_thumbTintMode=10; /** * <p> * @attr description * Drawable to use as the "track" that the switch thumb slides within. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:track */ public static final int SwitchCompat_track=11; /** * <p> * @attr description * Tint to apply to the track. * * <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 org.lamw.pascalid1:trackTint */ public static final int SwitchCompat_trackTint=12; /** * <p> * @attr description * Blending mode used to apply the track tint. * * <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>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1: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 org.lamw.pascalid1:tabBackground}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabContentStart org.lamw.pascalid1:tabContentStart}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabGravity org.lamw.pascalid1:tabGravity}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIconTint org.lamw.pascalid1:tabIconTint}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIconTintMode org.lamw.pascalid1:tabIconTintMode}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicator org.lamw.pascalid1:tabIndicator}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorAnimationDuration org.lamw.pascalid1:tabIndicatorAnimationDuration}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorColor org.lamw.pascalid1:tabIndicatorColor}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorFullWidth org.lamw.pascalid1:tabIndicatorFullWidth}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorGravity org.lamw.pascalid1:tabIndicatorGravity}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabIndicatorHeight org.lamw.pascalid1:tabIndicatorHeight}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabInlineLabel org.lamw.pascalid1:tabInlineLabel}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabMaxWidth org.lamw.pascalid1:tabMaxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabMinWidth org.lamw.pascalid1:tabMinWidth}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabMode org.lamw.pascalid1:tabMode}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPadding org.lamw.pascalid1:tabPadding}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingBottom org.lamw.pascalid1:tabPaddingBottom}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingEnd org.lamw.pascalid1:tabPaddingEnd}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingStart org.lamw.pascalid1:tabPaddingStart}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabPaddingTop org.lamw.pascalid1:tabPaddingTop}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabRippleColor org.lamw.pascalid1:tabRippleColor}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabSelectedTextColor org.lamw.pascalid1:tabSelectedTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabTextAppearance org.lamw.pascalid1:tabTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabTextColor org.lamw.pascalid1:tabTextColor}</code></td><td></td></tr> * <tr><td><code>{@link #TabLayout_tabUnboundedRipple org.lamw.pascalid1:tabUnboundedRipple}</code></td><td></td></tr> * </table> * @see #TabLayout_tabBackground * @see #TabLayout_tabContentStart * @see #TabLayout_tabGravity * @see #TabLayout_tabIconTint * @see #TabLayout_tabIconTintMode * @see #TabLayout_tabIndicator * @see #TabLayout_tabIndicatorAnimationDuration * @see #TabLayout_tabIndicatorColor * @see #TabLayout_tabIndicatorFullWidth * @see #TabLayout_tabIndicatorGravity * @see #TabLayout_tabIndicatorHeight * @see #TabLayout_tabInlineLabel * @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_tabRippleColor * @see #TabLayout_tabSelectedTextColor * @see #TabLayout_tabTextAppearance * @see #TabLayout_tabTextColor * @see #TabLayout_tabUnboundedRipple */ public static final int[] TabLayout={ 0x7f030189, 0x7f03018a, 0x7f03018b, 0x7f03018c, 0x7f03018d, 0x7f03018e, 0x7f03018f, 0x7f030190, 0x7f030191, 0x7f030192, 0x7f030193, 0x7f030194, 0x7f030195, 0x7f030196, 0x7f030197, 0x7f030198, 0x7f030199, 0x7f03019a, 0x7f03019b, 0x7f03019c, 0x7f03019d, 0x7f03019e, 0x7f0301a0, 0x7f0301a1, 0x7f0301a2 }; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabBackground */ public static final int TabLayout_tabBackground=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabContentStart */ public static final int TabLayout_tabContentStart=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabGravity */ public static final int TabLayout_tabGravity=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabIconTint} * 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 org.lamw.pascalid1:tabIconTint */ public static final int TabLayout_tabIconTint=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabIconTintMode} * 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>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 org.lamw.pascalid1:tabIconTintMode */ public static final int TabLayout_tabIconTintMode=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabIndicator} * 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 org.lamw.pascalid1:tabIndicator */ public static final int TabLayout_tabIndicator=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabIndicatorAnimationDuration} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name org.lamw.pascalid1:tabIndicatorAnimationDuration */ public static final int TabLayout_tabIndicatorAnimationDuration=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabIndicatorColor */ public static final int TabLayout_tabIndicatorColor=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabIndicatorFullWidth} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:tabIndicatorFullWidth */ public static final int TabLayout_tabIndicatorFullWidth=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabIndicatorGravity} * 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>bottom</td><td>0</td><td></td></tr> * <tr><td>center</td><td>1</td><td></td></tr> * <tr><td>stretch</td><td>3</td><td></td></tr> * <tr><td>top</td><td>2</td><td></td></tr> * </table> * * @attr name org.lamw.pascalid1:tabIndicatorGravity */ public static final int TabLayout_tabIndicatorGravity=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabIndicatorHeight */ public static final int TabLayout_tabIndicatorHeight=10; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabInlineLabel} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:tabInlineLabel */ public static final int TabLayout_tabInlineLabel=11; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabMaxWidth */ public static final int TabLayout_tabMaxWidth=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabMinWidth */ public static final int TabLayout_tabMinWidth=13; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabMode */ public static final int TabLayout_tabMode=14; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabPadding */ public static final int TabLayout_tabPadding=15; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabPaddingBottom */ public static final int TabLayout_tabPaddingBottom=16; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabPaddingEnd */ public static final int TabLayout_tabPaddingEnd=17; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabPaddingStart */ public static final int TabLayout_tabPaddingStart=18; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabPaddingTop */ public static final int TabLayout_tabPaddingTop=19; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabRippleColor} * 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 org.lamw.pascalid1:tabRippleColor */ public static final int TabLayout_tabRippleColor=20; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabSelectedTextColor */ public static final int TabLayout_tabSelectedTextColor=21; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabTextAppearance */ public static final int TabLayout_tabTextAppearance=22; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:tabTextColor */ public static final int TabLayout_tabTextColor=23; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#tabUnboundedRipple} * attribute's value can be found in the {@link #TabLayout} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:tabUnboundedRipple */ public static final int TabLayout_tabUnboundedRipple=24; /** * 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_android_textFontWeight android:textFontWeight}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_fontFamily org.lamw.pascalid1:fontFamily}</code></td><td>The attribute for the font family.</td></tr> * <tr><td><code>{@link #TextAppearance_fontVariationSettings org.lamw.pascalid1:fontVariationSettings}</code></td><td>The variation settings to be applied to the font.</td></tr> * <tr><td><code>{@link #TextAppearance_textAllCaps org.lamw.pascalid1:textAllCaps}</code></td><td>Present the text in ALL CAPS.</td></tr> * <tr><td><code>{@link #TextAppearance_textLocale org.lamw.pascalid1:textLocale}</code></td><td>Set the textLocale by a comma-separated language tag string, * for example "ja-JP,zh-CN".</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_android_textFontWeight * @see #TextAppearance_fontFamily * @see #TextAppearance_fontVariationSettings * @see #TextAppearance_textAllCaps * @see #TextAppearance_textLocale */ public static final int[] TextAppearance={ 0x01010095, 0x01010096, 0x01010097, 0x01010098, 0x0101009a, 0x0101009b, 0x01010161, 0x01010162, 0x01010163, 0x01010164, 0x010103ac, 0x01010585, 0x7f0300da, 0x7f0300e2, 0x7f0301a3, 0x7f0301bd }; /** * <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 android.R.attr#textFontWeight} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:textFontWeight */ public static final int TextAppearance_android_textFontWeight=11; /** * <p> * @attr description * The attribute for the font family. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontFamily */ public static final int TextAppearance_fontFamily=12; /** * <p> * @attr description * OpenType font variation settings, available aftear api 26. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:fontVariationSettings */ public static final int TextAppearance_fontVariationSettings=13; /** * <p> * @attr description * Present the text in ALL CAPS. This may use a small-caps form when available. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:textAllCaps */ public static final int TextAppearance_textAllCaps=14; /** * <p> * @attr description * Set the textLocale by a comma-separated language tag string, * for example "ja-JP,zh-CN". This attribute only takes effect on API 21 and above. * Before API 24, only the first language tag is used. Starting from API 24, * the string will be converted into a {@link android.os.LocaleList} and then used by * {@link android.widget.TextView} * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:textLocale */ public static final int TextAppearance_textLocale=15; /** * 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_boxBackgroundColor org.lamw.pascalid1:boxBackgroundColor}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxBackgroundMode org.lamw.pascalid1:boxBackgroundMode}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxCollapsedPaddingTop org.lamw.pascalid1:boxCollapsedPaddingTop}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxCornerRadiusBottomEnd org.lamw.pascalid1:boxCornerRadiusBottomEnd}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxCornerRadiusBottomStart org.lamw.pascalid1:boxCornerRadiusBottomStart}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxCornerRadiusTopEnd org.lamw.pascalid1:boxCornerRadiusTopEnd}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxCornerRadiusTopStart org.lamw.pascalid1:boxCornerRadiusTopStart}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxStrokeColor org.lamw.pascalid1:boxStrokeColor}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_boxStrokeWidth org.lamw.pascalid1:boxStrokeWidth}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterEnabled org.lamw.pascalid1:counterEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterMaxLength org.lamw.pascalid1:counterMaxLength}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterOverflowTextAppearance org.lamw.pascalid1:counterOverflowTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_counterTextAppearance org.lamw.pascalid1:counterTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_errorEnabled org.lamw.pascalid1:errorEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_errorTextAppearance org.lamw.pascalid1:errorTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_helperText org.lamw.pascalid1:helperText}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_helperTextEnabled org.lamw.pascalid1:helperTextEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_helperTextTextAppearance org.lamw.pascalid1:helperTextTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_hintAnimationEnabled org.lamw.pascalid1:hintAnimationEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_hintEnabled org.lamw.pascalid1:hintEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_hintTextAppearance org.lamw.pascalid1:hintTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleContentDescription org.lamw.pascalid1:passwordToggleContentDescription}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleDrawable org.lamw.pascalid1:passwordToggleDrawable}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleEnabled org.lamw.pascalid1:passwordToggleEnabled}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleTint org.lamw.pascalid1:passwordToggleTint}</code></td><td></td></tr> * <tr><td><code>{@link #TextInputLayout_passwordToggleTintMode org.lamw.pascalid1:passwordToggleTintMode}</code></td><td></td></tr> * </table> * @see #TextInputLayout_android_textColorHint * @see #TextInputLayout_android_hint * @see #TextInputLayout_boxBackgroundColor * @see #TextInputLayout_boxBackgroundMode * @see #TextInputLayout_boxCollapsedPaddingTop * @see #TextInputLayout_boxCornerRadiusBottomEnd * @see #TextInputLayout_boxCornerRadiusBottomStart * @see #TextInputLayout_boxCornerRadiusTopEnd * @see #TextInputLayout_boxCornerRadiusTopStart * @see #TextInputLayout_boxStrokeColor * @see #TextInputLayout_boxStrokeWidth * @see #TextInputLayout_counterEnabled * @see #TextInputLayout_counterMaxLength * @see #TextInputLayout_counterOverflowTextAppearance * @see #TextInputLayout_counterTextAppearance * @see #TextInputLayout_errorEnabled * @see #TextInputLayout_errorTextAppearance * @see #TextInputLayout_helperText * @see #TextInputLayout_helperTextEnabled * @see #TextInputLayout_helperTextTextAppearance * @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, 0x7f030043, 0x7f030044, 0x7f030045, 0x7f030046, 0x7f030047, 0x7f030048, 0x7f030049, 0x7f03004a, 0x7f03004b, 0x7f0300a1, 0x7f0300a2, 0x7f0300a3, 0x7f0300a4, 0x7f0300c1, 0x7f0300c2, 0x7f0300e9, 0x7f0300ea, 0x7f0300eb, 0x7f0300ef, 0x7f0300f0, 0x7f0300f1, 0x7f030147, 0x7f030148, 0x7f030149, 0x7f03014a, 0x7f03014b }; /** * <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 org.lamw.pascalid1.R.attr#boxBackgroundColor} * 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 org.lamw.pascalid1:boxBackgroundColor */ public static final int TextInputLayout_boxBackgroundColor=2; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxBackgroundMode} * 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>filled</td><td>1</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>outline</td><td>2</td><td></td></tr> * </table> * * @attr name org.lamw.pascalid1:boxBackgroundMode */ public static final int TextInputLayout_boxBackgroundMode=3; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxCollapsedPaddingTop} * attribute's value can be found in the {@link #TextInputLayout} 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 org.lamw.pascalid1:boxCollapsedPaddingTop */ public static final int TextInputLayout_boxCollapsedPaddingTop=4; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxCornerRadiusBottomEnd} * attribute's value can be found in the {@link #TextInputLayout} 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 org.lamw.pascalid1:boxCornerRadiusBottomEnd */ public static final int TextInputLayout_boxCornerRadiusBottomEnd=5; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxCornerRadiusBottomStart} * attribute's value can be found in the {@link #TextInputLayout} 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 org.lamw.pascalid1:boxCornerRadiusBottomStart */ public static final int TextInputLayout_boxCornerRadiusBottomStart=6; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxCornerRadiusTopEnd} * attribute's value can be found in the {@link #TextInputLayout} 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 org.lamw.pascalid1:boxCornerRadiusTopEnd */ public static final int TextInputLayout_boxCornerRadiusTopEnd=7; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxCornerRadiusTopStart} * attribute's value can be found in the {@link #TextInputLayout} 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 org.lamw.pascalid1:boxCornerRadiusTopStart */ public static final int TextInputLayout_boxCornerRadiusTopStart=8; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxStrokeColor} * 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 org.lamw.pascalid1:boxStrokeColor */ public static final int TextInputLayout_boxStrokeColor=9; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#boxStrokeWidth} * attribute's value can be found in the {@link #TextInputLayout} 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 org.lamw.pascalid1:boxStrokeWidth */ public static final int TextInputLayout_boxStrokeWidth=10; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:counterEnabled */ public static final int TextInputLayout_counterEnabled=11; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:counterMaxLength */ public static final int TextInputLayout_counterMaxLength=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:counterOverflowTextAppearance */ public static final int TextInputLayout_counterOverflowTextAppearance=13; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:counterTextAppearance */ public static final int TextInputLayout_counterTextAppearance=14; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:errorEnabled */ public static final int TextInputLayout_errorEnabled=15; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:errorTextAppearance */ public static final int TextInputLayout_errorTextAppearance=16; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#helperText} * 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 org.lamw.pascalid1:helperText */ public static final int TextInputLayout_helperText=17; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#helperTextEnabled} * 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 org.lamw.pascalid1:helperTextEnabled */ public static final int TextInputLayout_helperTextEnabled=18; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#helperTextTextAppearance} * 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 org.lamw.pascalid1:helperTextTextAppearance */ public static final int TextInputLayout_helperTextTextAppearance=19; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:hintAnimationEnabled */ public static final int TextInputLayout_hintAnimationEnabled=20; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:hintEnabled */ public static final int TextInputLayout_hintEnabled=21; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:hintTextAppearance */ public static final int TextInputLayout_hintTextAppearance=22; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:passwordToggleContentDescription */ public static final int TextInputLayout_passwordToggleContentDescription=23; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:passwordToggleDrawable */ public static final int TextInputLayout_passwordToggleDrawable=24; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:passwordToggleEnabled */ public static final int TextInputLayout_passwordToggleEnabled=25; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:passwordToggleTint */ public static final int TextInputLayout_passwordToggleTint=26; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:passwordToggleTintMode */ public static final int TextInputLayout_passwordToggleTintMode=27; /** * Attributes that can be used with a ThemeEnforcement. * <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 #ThemeEnforcement_android_textAppearance android:textAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #ThemeEnforcement_enforceMaterialTheme org.lamw.pascalid1:enforceMaterialTheme}</code></td><td></td></tr> * <tr><td><code>{@link #ThemeEnforcement_enforceTextAppearance org.lamw.pascalid1:enforceTextAppearance}</code></td><td></td></tr> * </table> * @see #ThemeEnforcement_android_textAppearance * @see #ThemeEnforcement_enforceMaterialTheme * @see #ThemeEnforcement_enforceTextAppearance */ public static final int[] ThemeEnforcement={ 0x01010034, 0x7f0300bf, 0x7f0300c0 }; /** * <p>This symbol is the offset where the {@link android.R.attr#textAppearance} * attribute's value can be found in the {@link #ThemeEnforcement} 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 ThemeEnforcement_android_textAppearance=0; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#enforceMaterialTheme} * attribute's value can be found in the {@link #ThemeEnforcement} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:enforceMaterialTheme */ public static final int ThemeEnforcement_enforceMaterialTheme=1; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.R.attr#enforceTextAppearance} * attribute's value can be found in the {@link #ThemeEnforcement} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name org.lamw.pascalid1:enforceTextAppearance */ public static final int ThemeEnforcement_enforceTextAppearance=2; /** * 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 org.lamw.pascalid1:buttonGravity}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_collapseContentDescription org.lamw.pascalid1:collapseContentDescription}</code></td><td>Text to set as the content description for the collapse button.</td></tr> * <tr><td><code>{@link #Toolbar_collapseIcon org.lamw.pascalid1:collapseIcon}</code></td><td>Icon drawable to use for the collapse button.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetEnd org.lamw.pascalid1:contentInsetEnd}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetEndWithActions org.lamw.pascalid1:contentInsetEndWithActions}</code></td><td>Minimum inset for content views within a bar when actions from a menu * are present.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetLeft org.lamw.pascalid1:contentInsetLeft}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetRight org.lamw.pascalid1:contentInsetRight}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetStart org.lamw.pascalid1:contentInsetStart}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetStartWithNavigation org.lamw.pascalid1:contentInsetStartWithNavigation}</code></td><td>Minimum inset for content views within a bar when a navigation button * is present, such as the Up button.</td></tr> * <tr><td><code>{@link #Toolbar_logo org.lamw.pascalid1:logo}</code></td><td>Specifies the drawable used for the application logo.</td></tr> * <tr><td><code>{@link #Toolbar_logoDescription org.lamw.pascalid1:logoDescription}</code></td><td>A content description string to describe the appearance of the * associated logo image.</td></tr> * <tr><td><code>{@link #Toolbar_maxButtonHeight org.lamw.pascalid1:maxButtonHeight}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_menu org.lamw.pascalid1:menu}</code></td><td>Menu resource to inflate to be shown in the toolbar</td></tr> * <tr><td><code>{@link #Toolbar_navigationContentDescription org.lamw.pascalid1:navigationContentDescription}</code></td><td>Text to set as the content description for the navigation button * located at the start of the toolbar.</td></tr> * <tr><td><code>{@link #Toolbar_navigationIcon org.lamw.pascalid1:navigationIcon}</code></td><td>Icon drawable to use for the navigation button located at * the start of the toolbar.</td></tr> * <tr><td><code>{@link #Toolbar_popupTheme org.lamw.pascalid1:popupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * <tr><td><code>{@link #Toolbar_subtitle org.lamw.pascalid1:subtitle}</code></td><td>Specifies subtitle text used for navigationMode="normal"</td></tr> * <tr><td><code>{@link #Toolbar_subtitleTextAppearance org.lamw.pascalid1:subtitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_subtitleTextColor org.lamw.pascalid1:subtitleTextColor}</code></td><td>A color to apply to the subtitle string.</td></tr> * <tr><td><code>{@link #Toolbar_title org.lamw.pascalid1:title}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMargin org.lamw.pascalid1:titleMargin}</code></td><td>Specifies extra space on the left, start, right and end sides * of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginBottom org.lamw.pascalid1:titleMarginBottom}</code></td><td>Specifies extra space on the bottom side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginEnd org.lamw.pascalid1:titleMarginEnd}</code></td><td>Specifies extra space on the end side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginStart org.lamw.pascalid1:titleMarginStart}</code></td><td>Specifies extra space on the start side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginTop org.lamw.pascalid1:titleMarginTop}</code></td><td>Specifies extra space on the top side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMargins org.lamw.pascalid1:titleMargins}</code></td><td>{@deprecated Use titleMargin}</td></tr> * <tr><td><code>{@link #Toolbar_titleTextAppearance org.lamw.pascalid1:titleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleTextColor org.lamw.pascalid1:titleTextColor}</code></td><td>A color to apply to the title string.</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_menu * @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 */ @Deprecated public static final int[] Toolbar={ 0x010100af, 0x01010140, 0x7f030052, 0x7f030080, 0x7f030081, 0x7f030092, 0x7f030093, 0x7f030094, 0x7f030095, 0x7f030096, 0x7f030097, 0x7f030130, 0x7f030131, 0x7f030135, 0x7f030138, 0x7f03013a, 0x7f03013b, 0x7f03014d, 0x7f030180, 0x7f030181, 0x7f030182, 0x7f0301c9, 0x7f0301cb, 0x7f0301cc, 0x7f0301cd, 0x7f0301ce, 0x7f0301cf, 0x7f0301d0, 0x7f0301d1, 0x7f0301d2 }; /** * <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 org.lamw.pascalid1.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>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>center_vertical</td><td>10</td><td>Place object in the vertical center of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> * * @attr name org.lamw.pascalid1:buttonGravity */ public static final int Toolbar_buttonGravity=2; /** * <p> * @attr description * Text to set as the content description for the collapse button. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:collapseContentDescription */ public static final int Toolbar_collapseContentDescription=3; /** * <p> * @attr description * Icon drawable to use for the collapse button. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:collapseIcon */ public static final int Toolbar_collapseIcon=4; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetEnd */ public static final int Toolbar_contentInsetEnd=5; /** * <p> * @attr description * Minimum inset for content views within a bar when actions from a menu * are present. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetEndWithActions */ public static final int Toolbar_contentInsetEndWithActions=6; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetLeft */ public static final int Toolbar_contentInsetLeft=7; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetRight */ public static final int Toolbar_contentInsetRight=8; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetStart */ public static final int Toolbar_contentInsetStart=9; /** * <p> * @attr description * Minimum inset for content views within a bar when a navigation button * is present, such as the Up button. Only valid for some themes and configurations. * * <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 org.lamw.pascalid1:contentInsetStartWithNavigation */ public static final int Toolbar_contentInsetStartWithNavigation=10; /** * <p> * @attr description * Drawable to set as the logo that appears at the starting side of * the Toolbar, just after the navigation button. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:logo */ public static final int Toolbar_logo=11; /** * <p> * @attr description * A content description string to describe the appearance of the * associated logo image. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:logoDescription */ public static final int Toolbar_logoDescription=12; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:maxButtonHeight */ public static final int Toolbar_maxButtonHeight=13; /** * <p> * @attr description * Menu resource to inflate to be shown in the toolbar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:menu */ public static final int Toolbar_menu=14; /** * <p> * @attr description * Text to set as the content description for the navigation button * located at the start of the toolbar. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:navigationContentDescription */ public static final int Toolbar_navigationContentDescription=15; /** * <p> * @attr description * Icon drawable to use for the navigation button located at * the start of the toolbar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:navigationIcon */ public static final int Toolbar_navigationIcon=16; /** * <p> * @attr description * Reference to a theme that should be used to inflate popups * shown by widgets in the toolbar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1:popupTheme */ public static final int Toolbar_popupTheme=17; /** * <p> * @attr description * Specifies subtitle text used for navigationMode="normal" * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name org.lamw.pascalid1:subtitle */ public static final int Toolbar_subtitle=18; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:subtitleTextAppearance */ public static final int Toolbar_subtitleTextAppearance=19; /** * <p> * @attr description * A color to apply to the subtitle string. * * <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 org.lamw.pascalid1:subtitleTextColor */ public static final int Toolbar_subtitleTextColor=20; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:title */ public static final int Toolbar_title=21; /** * <p> * @attr description * Specifies extra space on the left, start, right and end sides * of the toolbar's title. Margin values should be positive. * * <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 org.lamw.pascalid1:titleMargin */ public static final int Toolbar_titleMargin=22; /** * <p> * @attr description * Specifies extra space on the bottom side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <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 org.lamw.pascalid1:titleMarginBottom */ public static final int Toolbar_titleMarginBottom=23; /** * <p> * @attr description * Specifies extra space on the end side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <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 org.lamw.pascalid1:titleMarginEnd */ public static final int Toolbar_titleMarginEnd=24; /** * <p> * @attr description * Specifies extra space on the start side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <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 org.lamw.pascalid1:titleMarginStart */ public static final int Toolbar_titleMarginStart=25; /** * <p> * @attr description * Specifies extra space on the top side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <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 org.lamw.pascalid1:titleMarginTop */ public static final int Toolbar_titleMarginTop=26; /** * <p> * @attr description * {@deprecated Use titleMargin} * * <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 org.lamw.pascalid1:titleMargins */ @Deprecated public static final int Toolbar_titleMargins=27; /** * <p>This symbol is the offset where the {@link org.lamw.pascalid1.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 org.lamw.pascalid1:titleTextAppearance */ public static final int Toolbar_titleTextAppearance=28; /** * <p> * @attr description * A color to apply to the title string. * * <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 org.lamw.pascalid1:titleTextColor */ public static final int Toolbar_titleTextColor=29; /** * 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 org.lamw.pascalid1:paddingEnd}</code></td><td>Sets the padding, in pixels, of the end edge; see {@link android.R.attr#padding}.</td></tr> * <tr><td><code>{@link #View_paddingStart org.lamw.pascalid1:paddingStart}</code></td><td>Sets the padding, in pixels, of the start edge; see {@link android.R.attr#padding}.</td></tr> * <tr><td><code>{@link #View_theme org.lamw.pascalid1:theme}</code></td><td>Deprecated.</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, 0x7f030141, 0x7f030142, 0x7f0301bf }; /** * <p> * @attr description * Specifies a theme override for a view. When a theme override is set, the * view will be inflated using a {@link android.content.Context} themed with * the specified resource. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Boolean that controls whether a view can take focus. By default the user can not * move focus to a view; by setting this attribute to true the view is * allowed to take focus. This value does not impact the behavior of * directly calling {@link android.view.View#requestFocus}, which will * always request focus regardless of this view. It only impacts where * focus navigation will try to move focus. * * <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> * @attr description * Sets the padding, in pixels, of the end edge; see {@link android.R.attr#padding}. * * <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 org.lamw.pascalid1:paddingEnd */ public static final int View_paddingEnd=2; /** * <p> * @attr description * Sets the padding, in pixels, of the start edge; see {@link android.R.attr#padding}. * * <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 org.lamw.pascalid1:paddingStart */ public static final int View_paddingStart=3; /** * <p> * @attr description * Deprecated. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 org.lamw.pascalid1: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 org.lamw.pascalid1:backgroundTint}</code></td><td>Tint to apply to the background.</td></tr> * <tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode org.lamw.pascalid1:backgroundTintMode}</code></td><td>Blending mode used to apply the background tint.</td></tr> * </table> * @see #ViewBackgroundHelper_android_background * @see #ViewBackgroundHelper_backgroundTint * @see #ViewBackgroundHelper_backgroundTintMode */ public static final int[] ViewBackgroundHelper={ 0x010100d4, 0x7f030034, 0x7f030035 }; /** * <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> * @attr description * Tint to apply to the background. * * <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 org.lamw.pascalid1:backgroundTint */ public static final int ViewBackgroundHelper_backgroundTint=1; /** * <p> * @attr description * Blending mode used to apply the background tint. * * <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>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name org.lamw.pascalid1: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> * @attr description * Supply an identifier for the layout resource to inflate when the ViewStub * becomes visible or when forced to do so. The layout resource must be a * valid reference to a layout. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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> * @attr description * Overrides the id of the inflated View with this value. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>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 support_provider_paths=0x7f0f0000; } }
be4a63ff6d5f39e3a91fe2547163c2fafe5e786f
0b428f6c2022df01835ec734d08dfbc428c95ab2
/src/main/java/com/turreta/xml/xlst/demo/ComTurretaXmlXlstDemoApplication.java
593c870a3a7caaa94674d2a0c6798957e9730c8f
[ "Apache-2.0" ]
permissive
Turreta/Conditionally-Remove-XML-Element-based-on-parameter-in-Java-using-XLST
ced580968fe8394f1f8d423c3d21dd13cb607594
440af5ae26fdd21f8929df428fb278cbf2b06464
refs/heads/master
2021-01-19T19:46:37.113807
2017-08-23T18:11:52
2017-08-23T18:11:52
101,209,790
0
0
null
null
null
null
UTF-8
Java
false
false
1,116
java
package com.turreta.xml.xlst.demo; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import javax.xml.transform.*; import javax.xml.transform.stream.StreamResult; import javax.xml.transform.stream.StreamSource; import java.io.File; @SpringBootApplication public class ComTurretaXmlXlstDemoApplication { public static void main(String[] args) { SpringApplication.run(ComTurretaXmlXlstDemoApplication.class, args); ClassLoader classLoader = ComTurretaXmlXlstDemoApplication.class.getClassLoader(); Source inputXml = new StreamSource(classLoader.getResource("input.xml").getFile()); Source xsl = new StreamSource(classLoader.getResource("transformation.xsl").getFile()); Result outputXml = new StreamResult( new File("C:\\Users\\abc\\Desktop\\test-data\\2\\output.xml")); try { Transformer transformer = TransformerFactory.newInstance().newTransformer(xsl); transformer.setParameter("removeCompany", true); transformer.transform(inputXml, outputXml); } catch (TransformerException e) { e.getMessage(); } } }
5bedc9a251707972284d26541f1b42ce84916c0a
936ccc4db82bb0beec5198f7efe2a7fe9f60e477
/CS320_My Commencement/src/controller/AccountController.java
68fa029b6e6564768114b3ca69ccb561b51740d4
[]
no_license
amcdevitt97/CS320_MyCommencement
56c54f311381beddaaf80fdf2ad9548128921a1d
fa20aca632c7ccaaf9b851080387be8a293367b0
refs/heads/master
2021-04-26T23:16:38.296968
2018-05-20T18:51:40
2018-05-20T18:51:40
123,961,447
0
2
null
null
null
null
UTF-8
Java
false
false
849
java
package controller; import database.IDatabase; import java.util.ArrayList; import java.util.List; import database.DatabaseProvider; import database.DerbyDatabase; import model.Account; import model.Student; /** * Controller for the Account Class. */ public class AccountController { private Account model = null; private IDatabase database = null; public AccountController(Account model) { // creating DB instance here this.model = model; DatabaseProvider.setInstance(new DerbyDatabase()); database = DatabaseProvider.getInstance(); } public String getFirstnameForEmail(String email){ String firstname = database.getFirstNameForEmail(email); return firstname; } public List<Student> getStudentsForAdvisor(String email){ List<Student> students = database.getStudentsForAdvisorEmail(email); return students; } }
6f8335d597dd359e5ce2ca8318697125e34de165
8d0a899da3488d6e0ee5a52f99fa9f232f7ee735
/src/main/java/edu/berkeley/compbio/phyloutils/TaxonomyBasedSynonymService.java
e2b42430b5b5e9dfd33706118d332ebd3367fc25
[ "Apache-2.0" ]
permissive
davidsoergel/phyloutils
18e97eb7ff0c19c387088e6dda4bdcd0d49d153f
6a257425e3a24e3de857198f9d3ed6bfefb6e5df
refs/heads/master
2021-01-22T12:08:07.568808
2014-07-13T00:38:35
2014-07-13T00:38:35
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,799
java
/* * Copyright (c) 2006-2013 David Soergel <[email protected]> * Licensed under the Apache License, Version 2.0 * http://www.apache.org/licenses/LICENSE-2.0 */ package edu.berkeley.compbio.phyloutils; import com.davidsoergel.trees.NoSuchNodeException; import org.apache.log4j.Logger; import java.util.Collection; /** * The point of this is to insulate the caller from the internal IDs. * * @author <a href="mailto:[email protected]">David Soergel</a> * @version $Id$ */ public class TaxonomyBasedSynonymService implements TaxonomySynonymService { private static final Logger logger = Logger.getLogger(TaxonomyBasedSynonymService.class); private TaxonomyService taxonomy; /* public FileBasedSynonymService(BufferedReader in) { String line; while ((line = in.readLine()) != null) { //String[] synonyms = DSStringUtils.split(line, "\t"); String[] sp = line.split("\t"); String id = sp[0]; for (int i = 1; i < sp.length; i++) { forwarw reverse.put(sp[i], id); } } }*/ public TaxonomyBasedSynonymService() { } public TaxonomyBasedSynonymService(final TaxonomyService taxonomy) { this.taxonomy = taxonomy; } public void setTaxonomy(final TaxonomyService taxonomy) { this.taxonomy = taxonomy; } public Collection<String> synonymsOf(final String name) throws NoSuchNodeException { return taxonomy.getAllNamesForIds(taxonomy.findMatchingIds(name)); /* //PhylogenyNode<String> node = basePhylogeny.getNode(name); // not needed; nameToNode contains the primary ID too Collection<String> synonyms = synonymsByName.get(name); if (synonyms == null) { throw new NoSuchNodeException(name); } return synonyms;*/ } public Collection<String> synonymsOfRelaxed(final String name) throws NoSuchNodeException { return taxonomy.getAllNamesForIds(taxonomy.findMatchingIdsRelaxed(name)); } /*public Collection<String> synonymsOfRelaxed(final String name) throws NoSuchNodeException { Collection<String> synonyms = synonymsByName.get(name); if (synonyms == null) { synonyms = synonymsByNameRelaxed.get(name); if (synonyms == null) { String origName = name; String oldname = null; try { while (!name.equals(oldname)) { synonyms = synonymsByName.get(name); if (name != null) { break; } oldname = name; name = name.substring(0, name.lastIndexOf(" ")); } } catch (IndexOutOfBoundsException e) { throw new NoSuchNodeException("Could not find taxon: " + name); } if (!name.equals(origName)) { logger.warn("Relaxed name " + origName + " to " + name); } synonymsByNameRelaxed.put(name, synonyms); } } return synonyms; }*/ }
a1fb6dbf93911e2e91694e9c0f6ca8c846da319d
8b9190a8c5855d5753eb8ba7003e1db875f5d28f
/sources/com/drew/metadata/exif/makernotes/OlympusImageProcessingMakernoteDescriptor.java
939af10ac8ac1957c979320b848e56f0a814a98c
[]
no_license
stevehav/iowa-caucus-app
6aeb7de7487bd800f69cb0b51cc901f79bd4666b
e3c7eb39de0be6bbfa8b6b063aaa85dcbcee9044
refs/heads/master
2020-12-29T10:25:28.354117
2020-02-05T23:15:52
2020-02-05T23:15:52
238,565,283
21
3
null
null
null
null
UTF-8
Java
false
false
6,556
java
package com.drew.metadata.exif.makernotes; import com.drew.lang.annotations.NotNull; import com.drew.lang.annotations.Nullable; import com.drew.metadata.TagDescriptor; public class OlympusImageProcessingMakernoteDescriptor extends TagDescriptor<OlympusImageProcessingMakernoteDirectory> { public OlympusImageProcessingMakernoteDescriptor(@NotNull OlympusImageProcessingMakernoteDirectory olympusImageProcessingMakernoteDirectory) { super(olympusImageProcessingMakernoteDirectory); } @Nullable public String getDescription(int i) { if (i == 0) { return getImageProcessingVersionDescription(); } if (i == 512) { return getColorMatrixDescription(); } if (i == 4124) { return getMultipleExposureModeDescription(); } if (i == 4370) { return getAspectRatioDescription(); } if (i == 6400) { return getKeystoneCompensationDescription(); } if (i == 6401) { return getKeystoneDirectionDescription(); } switch (i) { case 4112: return getNoiseReduction2Description(); case 4113: return getDistortionCorrection2Description(); case 4114: return getShadingCompensation2Description(); default: return super.getDescription(i); } } @Nullable public String getImageProcessingVersionDescription() { return getVersionBytesDescription(0, 4); } @Nullable public String getColorMatrixDescription() { int[] intArray = ((OlympusImageProcessingMakernoteDirectory) this._directory).getIntArray(512); if (intArray == null) { return null; } StringBuilder sb = new StringBuilder(); for (int i = 0; i < intArray.length; i++) { if (i != 0) { sb.append(" "); } sb.append((short) intArray[i]); } return sb.toString(); } @Nullable public String getNoiseReduction2Description() { Integer integer = ((OlympusImageProcessingMakernoteDirectory) this._directory).getInteger(4112); if (integer == null) { return null; } if (integer.intValue() == 0) { return "(none)"; } StringBuilder sb = new StringBuilder(); short shortValue = integer.shortValue(); if ((shortValue & 1) != 0) { sb.append("Noise Reduction, "); } if (((shortValue >> 1) & 1) != 0) { sb.append("Noise Filter, "); } if (((shortValue >> 2) & 1) != 0) { sb.append("Noise Filter (ISO Boost), "); } return sb.substring(0, sb.length() - 2); } @Nullable public String getDistortionCorrection2Description() { return getIndexedDescription(4113, "Off", "On"); } @Nullable public String getShadingCompensation2Description() { return getIndexedDescription(4114, "Off", "On"); } @Nullable public String getMultipleExposureModeDescription() { int[] intArray = ((OlympusImageProcessingMakernoteDirectory) this._directory).getIntArray(4124); if (intArray == null) { Integer integer = ((OlympusImageProcessingMakernoteDirectory) this._directory).getInteger(4124); if (integer == null) { return null; } intArray = new int[]{integer.intValue()}; } if (intArray.length == 0) { return null; } StringBuilder sb = new StringBuilder(); short s = (short) intArray[0]; if (s == 0) { sb.append("Off"); } else if (s == 2) { sb.append("On (2 frames)"); } else if (s != 3) { sb.append("Unknown ("); sb.append((short) intArray[0]); sb.append(")"); } else { sb.append("On (3 frames)"); } if (intArray.length > 1) { sb.append("; "); sb.append((short) intArray[1]); } return sb.toString(); } @Nullable public String getAspectRatioDescription() { byte[] byteArray = ((OlympusImageProcessingMakernoteDirectory) this._directory).getByteArray(OlympusImageProcessingMakernoteDirectory.TagAspectRatio); if (byteArray == null || byteArray.length < 2) { return null; } String format = String.format("%d %d", new Object[]{Byte.valueOf(byteArray[0]), Byte.valueOf(byteArray[1])}); if (format.equals("1 1")) { return "4:3"; } if (format.equals("1 4")) { return "1:1"; } if (format.equals("2 1")) { return "3:2 (RAW)"; } if (format.equals("2 2")) { return "3:2"; } if (format.equals("3 1")) { return "16:9 (RAW)"; } if (format.equals("3 3")) { return "16:9"; } if (format.equals("4 1")) { return "1:1 (RAW)"; } if (format.equals("4 4")) { return "6:6"; } if (format.equals("5 5")) { return "5:4"; } if (format.equals("6 6")) { return "7:6"; } if (format.equals("7 7")) { return "6:5"; } if (format.equals("8 8")) { return "7:5"; } if (format.equals("9 1")) { return "3:4 (RAW)"; } if (format.equals("9 9")) { return "3:4"; } return "Unknown (" + format + ")"; } @Nullable public String getKeystoneCompensationDescription() { byte[] byteArray = ((OlympusImageProcessingMakernoteDirectory) this._directory).getByteArray(OlympusImageProcessingMakernoteDirectory.TagKeystoneCompensation); if (byteArray == null || byteArray.length < 2) { return null; } String format = String.format("%d %d", new Object[]{Byte.valueOf(byteArray[0]), Byte.valueOf(byteArray[1])}); if (format.equals("0 0")) { return "Off"; } if (format.equals("0 1")) { return "On"; } return "Unknown (" + format + ")"; } @Nullable public String getKeystoneDirectionDescription() { return getIndexedDescription(OlympusImageProcessingMakernoteDirectory.TagKeystoneDirection, "Vertical", "Horizontal"); } }
010d9ee896cbdaa8e46847abeedde51746a226cd
0500a2f111eea1fd3c93ae5303281a208332f8ea
/build/app/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/io/flutter/plugins/firebase/storage/R.java
68fa5de99219c24078b71d5081b13cdacc5213c6
[]
no_license
Ravi-Velip/family_blog
02e873da06ced5065d9f626669975f5afbfc43db
ea6893f1087e8e0657eaad22349769459a0800ca
refs/heads/master
2023-04-05T02:19:40.283167
2021-04-19T12:37:22
2021-04-19T12:37:22
359,451,139
0
0
null
null
null
null
UTF-8
Java
false
false
21,596
java
/* AUTO-GENERATED FILE. DO NOT MODIFY. * * This class was automatically generated by the * gradle plugin from the resource data it found. It * should not be modified by hand. */ package io.flutter.plugins.firebase.storage; public final class R { private R() {} public static final class attr { private attr() {} public static final int alpha = 0x7f030027; public static final int buttonSize = 0x7f030056; public static final int circleCrop = 0x7f03007b; public static final int colorScheme = 0x7f030092; public static final int coordinatorLayoutStyle = 0x7f0300a7; public static final int font = 0x7f0300da; public static final int fontProviderAuthority = 0x7f0300dc; public static final int fontProviderCerts = 0x7f0300dd; public static final int fontProviderFetchStrategy = 0x7f0300de; public static final int fontProviderFetchTimeout = 0x7f0300df; public static final int fontProviderPackage = 0x7f0300e0; public static final int fontProviderQuery = 0x7f0300e1; public static final int fontStyle = 0x7f0300e2; public static final int fontVariationSettings = 0x7f0300e3; public static final int fontWeight = 0x7f0300e4; public static final int imageAspectRatio = 0x7f0300ff; public static final int imageAspectRatioAdjust = 0x7f030100; public static final int keylines = 0x7f030112; public static final int layout_anchor = 0x7f030117; public static final int layout_anchorGravity = 0x7f030118; public static final int layout_behavior = 0x7f030119; public static final int layout_dodgeInsetEdges = 0x7f030145; public static final int layout_insetEdge = 0x7f03014e; public static final int layout_keyline = 0x7f03014f; public static final int scopeUris = 0x7f03018c; public static final int statusBarBackground = 0x7f0301ac; public static final int ttcIndex = 0x7f03020e; } public static final class bool { private bool() {} public static final int abc_action_bar_embed_tabs = 0x7f040000; } public static final class color { private color() {} public static final int common_google_signin_btn_text_dark = 0x7f05002a; public static final int common_google_signin_btn_text_dark_default = 0x7f05002b; public static final int common_google_signin_btn_text_dark_disabled = 0x7f05002c; public static final int common_google_signin_btn_text_dark_focused = 0x7f05002d; public static final int common_google_signin_btn_text_dark_pressed = 0x7f05002e; public static final int common_google_signin_btn_text_light = 0x7f05002f; public static final int common_google_signin_btn_text_light_default = 0x7f050030; public static final int common_google_signin_btn_text_light_disabled = 0x7f050031; public static final int common_google_signin_btn_text_light_focused = 0x7f050032; public static final int common_google_signin_btn_text_light_pressed = 0x7f050033; public static final int common_google_signin_btn_tint = 0x7f050034; public static final int notification_action_color_filter = 0x7f050072; public static final int notification_icon_bg_color = 0x7f050073; public static final int primary_text_default_material_dark = 0x7f050078; public static final int ripple_material_light = 0x7f05007d; public static final int secondary_text_default_material_dark = 0x7f05007e; public static final int secondary_text_default_material_light = 0x7f05007f; } public static final class dimen { private dimen() {} public static final int compat_button_inset_horizontal_material = 0x7f06004f; public static final int compat_button_inset_vertical_material = 0x7f060050; public static final int compat_button_padding_horizontal_material = 0x7f060051; public static final int compat_button_padding_vertical_material = 0x7f060052; public static final int compat_control_corner_material = 0x7f060053; public static final int compat_notification_large_icon_max_height = 0x7f060054; public static final int compat_notification_large_icon_max_width = 0x7f060055; public static final int notification_action_icon_size = 0x7f0600c1; public static final int notification_action_text_size = 0x7f0600c2; public static final int notification_big_circle_margin = 0x7f0600c3; public static final int notification_content_margin_start = 0x7f0600c4; public static final int notification_large_icon_height = 0x7f0600c5; public static final int notification_large_icon_width = 0x7f0600c6; public static final int notification_main_column_padding_top = 0x7f0600c7; public static final int notification_media_narrow_margin = 0x7f0600c8; public static final int notification_right_icon_size = 0x7f0600c9; public static final int notification_right_side_padding_top = 0x7f0600ca; public static final int notification_small_icon_background_padding = 0x7f0600cb; public static final int notification_small_icon_size_as_large = 0x7f0600cc; public static final int notification_subtext_size = 0x7f0600cd; public static final int notification_top_pad = 0x7f0600ce; public static final int notification_top_pad_large_text = 0x7f0600cf; } public static final class drawable { private drawable() {} public static final int common_full_open_on_phone = 0x7f07005c; public static final int common_google_signin_btn_icon_dark = 0x7f07005d; public static final int common_google_signin_btn_icon_dark_focused = 0x7f07005e; public static final int common_google_signin_btn_icon_dark_normal = 0x7f07005f; public static final int common_google_signin_btn_icon_dark_normal_background = 0x7f070060; public static final int common_google_signin_btn_icon_disabled = 0x7f070061; public static final int common_google_signin_btn_icon_light = 0x7f070062; public static final int common_google_signin_btn_icon_light_focused = 0x7f070063; public static final int common_google_signin_btn_icon_light_normal = 0x7f070064; public static final int common_google_signin_btn_icon_light_normal_background = 0x7f070065; public static final int common_google_signin_btn_text_dark = 0x7f070066; public static final int common_google_signin_btn_text_dark_focused = 0x7f070067; public static final int common_google_signin_btn_text_dark_normal = 0x7f070068; public static final int common_google_signin_btn_text_dark_normal_background = 0x7f070069; public static final int common_google_signin_btn_text_disabled = 0x7f07006a; public static final int common_google_signin_btn_text_light = 0x7f07006b; public static final int common_google_signin_btn_text_light_focused = 0x7f07006c; public static final int common_google_signin_btn_text_light_normal = 0x7f07006d; public static final int common_google_signin_btn_text_light_normal_background = 0x7f07006e; public static final int googleg_disabled_color_18 = 0x7f070076; public static final int googleg_standard_color_18 = 0x7f070077; public static final int notification_action_background = 0x7f070088; public static final int notification_bg = 0x7f070089; public static final int notification_bg_low = 0x7f07008a; public static final int notification_bg_low_normal = 0x7f07008b; public static final int notification_bg_low_pressed = 0x7f07008c; public static final int notification_bg_normal = 0x7f07008d; public static final int notification_bg_normal_pressed = 0x7f07008e; public static final int notification_icon_background = 0x7f07008f; public static final int notification_template_icon_bg = 0x7f070090; public static final int notification_template_icon_low_bg = 0x7f070091; public static final int notification_tile_bg = 0x7f070092; public static final int notify_panel_notification_icon_bg = 0x7f070093; } public static final class id { private id() {} public static final int accessibility_action_clickable_span = 0x7f080006; public static final int accessibility_custom_action_0 = 0x7f080007; public static final int accessibility_custom_action_1 = 0x7f080008; public static final int accessibility_custom_action_10 = 0x7f080009; public static final int accessibility_custom_action_11 = 0x7f08000a; public static final int accessibility_custom_action_12 = 0x7f08000b; public static final int accessibility_custom_action_13 = 0x7f08000c; public static final int accessibility_custom_action_14 = 0x7f08000d; public static final int accessibility_custom_action_15 = 0x7f08000e; public static final int accessibility_custom_action_16 = 0x7f08000f; public static final int accessibility_custom_action_17 = 0x7f080010; public static final int accessibility_custom_action_18 = 0x7f080011; public static final int accessibility_custom_action_19 = 0x7f080012; public static final int accessibility_custom_action_2 = 0x7f080013; public static final int accessibility_custom_action_20 = 0x7f080014; public static final int accessibility_custom_action_21 = 0x7f080015; public static final int accessibility_custom_action_22 = 0x7f080016; public static final int accessibility_custom_action_23 = 0x7f080017; public static final int accessibility_custom_action_24 = 0x7f080018; public static final int accessibility_custom_action_25 = 0x7f080019; public static final int accessibility_custom_action_26 = 0x7f08001a; public static final int accessibility_custom_action_27 = 0x7f08001b; public static final int accessibility_custom_action_28 = 0x7f08001c; public static final int accessibility_custom_action_29 = 0x7f08001d; public static final int accessibility_custom_action_3 = 0x7f08001e; public static final int accessibility_custom_action_30 = 0x7f08001f; public static final int accessibility_custom_action_31 = 0x7f080020; public static final int accessibility_custom_action_4 = 0x7f080021; public static final int accessibility_custom_action_5 = 0x7f080022; public static final int accessibility_custom_action_6 = 0x7f080023; public static final int accessibility_custom_action_7 = 0x7f080024; public static final int accessibility_custom_action_8 = 0x7f080025; public static final int accessibility_custom_action_9 = 0x7f080026; public static final int action_container = 0x7f08002f; public static final int action_divider = 0x7f080031; public static final int action_image = 0x7f080033; public static final int action_text = 0x7f080039; public static final int actions = 0x7f08003a; public static final int adjust_height = 0x7f08003d; public static final int adjust_width = 0x7f08003e; public static final int async = 0x7f080042; public static final int auto = 0x7f080043; public static final int blocking = 0x7f080046; public static final int bottom = 0x7f080047; public static final int chronometer = 0x7f080051; public static final int dark = 0x7f08005b; public static final int dialog_button = 0x7f080063; public static final int end = 0x7f080068; public static final int forever = 0x7f080073; public static final int icon = 0x7f08007b; public static final int icon_group = 0x7f08007c; public static final int icon_only = 0x7f08007d; public static final int info = 0x7f080083; public static final int italic = 0x7f080085; public static final int left = 0x7f080089; public static final int light = 0x7f08008a; public static final int line1 = 0x7f08008c; public static final int line3 = 0x7f08008d; public static final int none = 0x7f080099; public static final int normal = 0x7f08009a; public static final int notification_background = 0x7f08009b; public static final int notification_main_column = 0x7f08009c; public static final int notification_main_column_container = 0x7f08009d; public static final int right = 0x7f0800ad; public static final int right_icon = 0x7f0800ae; public static final int right_side = 0x7f0800af; public static final int standard = 0x7f0800d5; public static final int start = 0x7f0800d6; public static final int tag_accessibility_actions = 0x7f0800db; public static final int tag_accessibility_clickable_spans = 0x7f0800dc; public static final int tag_accessibility_heading = 0x7f0800dd; public static final int tag_accessibility_pane_title = 0x7f0800de; public static final int tag_screen_reader_focusable = 0x7f0800df; public static final int tag_transition_group = 0x7f0800e0; public static final int tag_unhandled_key_event_manager = 0x7f0800e1; public static final int tag_unhandled_key_listeners = 0x7f0800e2; public static final int text = 0x7f0800e3; public static final int text2 = 0x7f0800e4; public static final int time = 0x7f0800ec; public static final int title = 0x7f0800ed; public static final int top = 0x7f0800f2; public static final int wide = 0x7f080104; } public static final class integer { private integer() {} public static final int cancel_button_image_alpha = 0x7f090004; public static final int google_play_services_version = 0x7f090008; public static final int status_bar_notification_info_maxnum = 0x7f09000f; } public static final class layout { private layout() {} public static final int custom_dialog = 0x7f0b0020; public static final int notification_action = 0x7f0b0033; public static final int notification_action_tombstone = 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_part_chronometer = 0x7f0b0037; public static final int notification_template_part_time = 0x7f0b0038; } public static final class string { private string() {} public static final int common_google_play_services_enable_button = 0x7f0e002d; public static final int common_google_play_services_enable_text = 0x7f0e002e; public static final int common_google_play_services_enable_title = 0x7f0e002f; public static final int common_google_play_services_install_button = 0x7f0e0030; public static final int common_google_play_services_install_text = 0x7f0e0031; public static final int common_google_play_services_install_title = 0x7f0e0032; public static final int common_google_play_services_notification_channel_name = 0x7f0e0033; public static final int common_google_play_services_notification_ticker = 0x7f0e0034; public static final int common_google_play_services_unknown_issue = 0x7f0e0035; public static final int common_google_play_services_unsupported_text = 0x7f0e0036; public static final int common_google_play_services_update_button = 0x7f0e0037; public static final int common_google_play_services_update_text = 0x7f0e0038; public static final int common_google_play_services_update_title = 0x7f0e0039; public static final int common_google_play_services_updating_text = 0x7f0e003a; public static final int common_google_play_services_wear_update_text = 0x7f0e003b; public static final int common_open_on_phone = 0x7f0e003c; public static final int common_signin_button_text = 0x7f0e003d; public static final int common_signin_button_text_long = 0x7f0e003e; public static final int status_bar_notification_info_overflow = 0x7f0e005a; } public static final class style { private style() {} public static final int TextAppearance_Compat_Notification = 0x7f0f0119; public static final int TextAppearance_Compat_Notification_Info = 0x7f0f011a; public static final int TextAppearance_Compat_Notification_Line2 = 0x7f0f011b; public static final int TextAppearance_Compat_Notification_Time = 0x7f0f011c; public static final int TextAppearance_Compat_Notification_Title = 0x7f0f011d; public static final int Widget_Compat_NotificationActionContainer = 0x7f0f01c3; public static final int Widget_Compat_NotificationActionText = 0x7f0f01c4; public static final int Widget_Support_CoordinatorLayout = 0x7f0f01f3; } public static final class styleable { private styleable() {} public static final int[] ColorStateListItem = { 0x10101a5, 0x101031f, 0x7f030027 }; public static final int ColorStateListItem_android_color = 0; public static final int ColorStateListItem_android_alpha = 1; public static final int ColorStateListItem_alpha = 2; public static final int[] CoordinatorLayout = { 0x7f030112, 0x7f0301ac }; public static final int CoordinatorLayout_keylines = 0; public static final int CoordinatorLayout_statusBarBackground = 1; public static final int[] CoordinatorLayout_Layout = { 0x10100b3, 0x7f030117, 0x7f030118, 0x7f030119, 0x7f030145, 0x7f03014e, 0x7f03014f }; public static final int CoordinatorLayout_Layout_android_layout_gravity = 0; public static final int CoordinatorLayout_Layout_layout_anchor = 1; public static final int CoordinatorLayout_Layout_layout_anchorGravity = 2; public static final int CoordinatorLayout_Layout_layout_behavior = 3; public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges = 4; public static final int CoordinatorLayout_Layout_layout_insetEdge = 5; public static final int CoordinatorLayout_Layout_layout_keyline = 6; public static final int[] FontFamily = { 0x7f0300dc, 0x7f0300dd, 0x7f0300de, 0x7f0300df, 0x7f0300e0, 0x7f0300e1 }; public static final int FontFamily_fontProviderAuthority = 0; public static final int FontFamily_fontProviderCerts = 1; public static final int FontFamily_fontProviderFetchStrategy = 2; public static final int FontFamily_fontProviderFetchTimeout = 3; public static final int FontFamily_fontProviderPackage = 4; public static final int FontFamily_fontProviderQuery = 5; public static final int[] FontFamilyFont = { 0x1010532, 0x1010533, 0x101053f, 0x101056f, 0x1010570, 0x7f0300da, 0x7f0300e2, 0x7f0300e3, 0x7f0300e4, 0x7f03020e }; public static final int FontFamilyFont_android_font = 0; public static final int FontFamilyFont_android_fontWeight = 1; public static final int FontFamilyFont_android_fontStyle = 2; public static final int FontFamilyFont_android_ttcIndex = 3; public static final int FontFamilyFont_android_fontVariationSettings = 4; public static final int FontFamilyFont_font = 5; public static final int FontFamilyFont_fontStyle = 6; public static final int FontFamilyFont_fontVariationSettings = 7; public static final int FontFamilyFont_fontWeight = 8; public static final int FontFamilyFont_ttcIndex = 9; public static final int[] GradientColor = { 0x101019d, 0x101019e, 0x10101a1, 0x10101a2, 0x10101a3, 0x10101a4, 0x1010201, 0x101020b, 0x1010510, 0x1010511, 0x1010512, 0x1010513 }; public static final int GradientColor_android_startColor = 0; public static final int GradientColor_android_endColor = 1; public static final int GradientColor_android_type = 2; public static final int GradientColor_android_centerX = 3; public static final int GradientColor_android_centerY = 4; public static final int GradientColor_android_gradientRadius = 5; public static final int GradientColor_android_tileMode = 6; public static final int GradientColor_android_centerColor = 7; public static final int GradientColor_android_startX = 8; public static final int GradientColor_android_startY = 9; public static final int GradientColor_android_endX = 10; public static final int GradientColor_android_endY = 11; public static final int[] GradientColorItem = { 0x10101a5, 0x1010514 }; public static final int GradientColorItem_android_color = 0; public static final int GradientColorItem_android_offset = 1; public static final int[] LoadingImageView = { 0x7f03007b, 0x7f0300ff, 0x7f030100 }; public static final int LoadingImageView_circleCrop = 0; public static final int LoadingImageView_imageAspectRatio = 1; public static final int LoadingImageView_imageAspectRatioAdjust = 2; public static final int[] SignInButton = { 0x7f030056, 0x7f030092, 0x7f03018c }; public static final int SignInButton_buttonSize = 0; public static final int SignInButton_colorScheme = 1; public static final int SignInButton_scopeUris = 2; } }
8c74939c5912ec5c7ff39530f99b41015993bf4c
ed700c9d375330be462647f31a87d51d8fe076cd
/message/src/main/java/com/game/message/proto/ProtoContext_WEBR.java
42e42c8f38e58107cd56e82d28d896ebe9ed8170
[]
no_license
Lcodeboy/DDZ
ed93c7c2478d832707077c4649c1c81ff7c895ba
38bcf6284ccbfaaded022b1b431fab9fb55c233a
refs/heads/master
2020-04-29T14:37:20.233021
2019-03-18T05:17:56
2019-03-18T05:17:56
176,202,282
1
0
null
null
null
null
UTF-8
Java
false
true
260,829
java
// Generated by the protocol buffer compiler. DO NOT EDIT! // source: NetWEBR.proto package com.game.message.proto; public final class ProtoContext_WEBR { private ProtoContext_WEBR() {} public static void registerAllExtensions( com.google.protobuf.ExtensionRegistry registry) { } public interface NetWEBRCloseDoorServerOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); } public static final class NetWEBRCloseDoorServer extends com.google.protobuf.GeneratedMessage implements NetWEBRCloseDoorServerOrBuilder { // Use NetWEBRCloseDoorServer.newBuilder() to construct. private NetWEBRCloseDoorServer(Builder builder) { super(builder); } private NetWEBRCloseDoorServer(boolean noInit) {} private static final NetWEBRCloseDoorServer defaultInstance; public static NetWEBRCloseDoorServer getDefaultInstance() { return defaultInstance; } public NetWEBRCloseDoorServer getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseDoorServer_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 1), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 1; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 1: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBRCloseDoorServer.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { token_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServerOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseDoorServer_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer build() { com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer result = new com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // @@protoc_insertion_point(builder_scope:NetWEBRCloseDoorServer) } static { defaultInstance = new NetWEBRCloseDoorServer(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBRCloseDoorServer) } public interface NetRWEBCloseDoorServerOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional .TFResult result = 1; boolean hasResult(); com.game.message.proto.ProtoContext_Common.TFResult getResult(); com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder(); } public static final class NetRWEBCloseDoorServer extends com.google.protobuf.GeneratedMessage implements NetRWEBCloseDoorServerOrBuilder { // Use NetRWEBCloseDoorServer.newBuilder() to construct. private NetRWEBCloseDoorServer(Builder builder) { super(builder); } private NetRWEBCloseDoorServer(boolean noInit) {} private static final NetRWEBCloseDoorServer defaultInstance; public static NetRWEBCloseDoorServer getDefaultInstance() { return defaultInstance; } public NetRWEBCloseDoorServer getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseDoorServer_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 2), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 2; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 2: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBCloseDoorServer.ID) } private int bitField0_; // optional .TFResult result = 1; public static final int RESULT_FIELD_NUMBER = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { return result_; } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { return result_; } private void initFields() { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeMessage(1, result_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(1, result_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServerOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseDoorServer_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { getResultFieldBuilder(); } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } if (resultBuilder_ == null) { result.result_ = result_; } else { result.result_ = resultBuilder_.build(); } result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.getDefaultInstance()) return this; if (other.hasResult()) { mergeResult(other.getResult()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { com.game.message.proto.ProtoContext_Common.TFResult.Builder subBuilder = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(); if (hasResult()) { subBuilder.mergeFrom(getResult()); } input.readMessage(subBuilder, extensionRegistry); setResult(subBuilder.buildPartial()); break; } } } } private int bitField0_; // optional .TFResult result = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> resultBuilder_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { if (resultBuilder_ == null) { return result_; } else { return resultBuilder_.getMessage(); } } public Builder setResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (value == null) { throw new NullPointerException(); } result_ = value; onChanged(); } else { resultBuilder_.setMessage(value); } bitField0_ |= 0x00000001; return this; } public Builder setResult( com.game.message.proto.ProtoContext_Common.TFResult.Builder builderForValue) { if (resultBuilder_ == null) { result_ = builderForValue.build(); onChanged(); } else { resultBuilder_.setMessage(builderForValue.build()); } bitField0_ |= 0x00000001; return this; } public Builder mergeResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (((bitField0_ & 0x00000001) == 0x00000001) && result_ != com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance()) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(result_).mergeFrom(value).buildPartial(); } else { result_ = value; } onChanged(); } else { resultBuilder_.mergeFrom(value); } bitField0_ |= 0x00000001; return this; } public Builder clearResult() { if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); onChanged(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public com.game.message.proto.ProtoContext_Common.TFResult.Builder getResultBuilder() { bitField0_ |= 0x00000001; onChanged(); return getResultFieldBuilder().getBuilder(); } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { if (resultBuilder_ != null) { return resultBuilder_.getMessageOrBuilder(); } else { return result_; } } private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> getResultFieldBuilder() { if (resultBuilder_ == null) { resultBuilder_ = new com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder>( result_, getParentForChildren(), isClean()); result_ = null; } return resultBuilder_; } // @@protoc_insertion_point(builder_scope:NetRWEBCloseDoorServer) } static { defaultInstance = new NetRWEBCloseDoorServer(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBCloseDoorServer) } public interface NetWEBROpenDoorServerOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); } public static final class NetWEBROpenDoorServer extends com.google.protobuf.GeneratedMessage implements NetWEBROpenDoorServerOrBuilder { // Use NetWEBROpenDoorServer.newBuilder() to construct. private NetWEBROpenDoorServer(Builder builder) { super(builder); } private NetWEBROpenDoorServer(boolean noInit) {} private static final NetWEBROpenDoorServer defaultInstance; public static NetWEBROpenDoorServer getDefaultInstance() { return defaultInstance; } public NetWEBROpenDoorServer getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenDoorServer_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 3), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 3; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 3: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBROpenDoorServer.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { token_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServerOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenDoorServer_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer build() { com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer result = new com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // @@protoc_insertion_point(builder_scope:NetWEBROpenDoorServer) } static { defaultInstance = new NetWEBROpenDoorServer(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBROpenDoorServer) } public interface NetRWEBOpenDoorServerOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional .TFResult result = 1; boolean hasResult(); com.game.message.proto.ProtoContext_Common.TFResult getResult(); com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder(); } public static final class NetRWEBOpenDoorServer extends com.google.protobuf.GeneratedMessage implements NetRWEBOpenDoorServerOrBuilder { // Use NetRWEBOpenDoorServer.newBuilder() to construct. private NetRWEBOpenDoorServer(Builder builder) { super(builder); } private NetRWEBOpenDoorServer(boolean noInit) {} private static final NetRWEBOpenDoorServer defaultInstance; public static NetRWEBOpenDoorServer getDefaultInstance() { return defaultInstance; } public NetRWEBOpenDoorServer getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenDoorServer_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 4), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 4; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 4: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBOpenDoorServer.ID) } private int bitField0_; // optional .TFResult result = 1; public static final int RESULT_FIELD_NUMBER = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { return result_; } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { return result_; } private void initFields() { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeMessage(1, result_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(1, result_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServerOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenDoorServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenDoorServer_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { getResultFieldBuilder(); } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } if (resultBuilder_ == null) { result.result_ = result_; } else { result.result_ = resultBuilder_.build(); } result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.getDefaultInstance()) return this; if (other.hasResult()) { mergeResult(other.getResult()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { com.game.message.proto.ProtoContext_Common.TFResult.Builder subBuilder = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(); if (hasResult()) { subBuilder.mergeFrom(getResult()); } input.readMessage(subBuilder, extensionRegistry); setResult(subBuilder.buildPartial()); break; } } } } private int bitField0_; // optional .TFResult result = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> resultBuilder_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { if (resultBuilder_ == null) { return result_; } else { return resultBuilder_.getMessage(); } } public Builder setResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (value == null) { throw new NullPointerException(); } result_ = value; onChanged(); } else { resultBuilder_.setMessage(value); } bitField0_ |= 0x00000001; return this; } public Builder setResult( com.game.message.proto.ProtoContext_Common.TFResult.Builder builderForValue) { if (resultBuilder_ == null) { result_ = builderForValue.build(); onChanged(); } else { resultBuilder_.setMessage(builderForValue.build()); } bitField0_ |= 0x00000001; return this; } public Builder mergeResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (((bitField0_ & 0x00000001) == 0x00000001) && result_ != com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance()) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(result_).mergeFrom(value).buildPartial(); } else { result_ = value; } onChanged(); } else { resultBuilder_.mergeFrom(value); } bitField0_ |= 0x00000001; return this; } public Builder clearResult() { if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); onChanged(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public com.game.message.proto.ProtoContext_Common.TFResult.Builder getResultBuilder() { bitField0_ |= 0x00000001; onChanged(); return getResultFieldBuilder().getBuilder(); } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { if (resultBuilder_ != null) { return resultBuilder_.getMessageOrBuilder(); } else { return result_; } } private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> getResultFieldBuilder() { if (resultBuilder_ == null) { resultBuilder_ = new com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder>( result_, getParentForChildren(), isClean()); result_ = null; } return resultBuilder_; } // @@protoc_insertion_point(builder_scope:NetRWEBOpenDoorServer) } static { defaultInstance = new NetRWEBOpenDoorServer(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBOpenDoorServer) } public interface NetWEBRPlayerServerInfoOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); // optional int32 playerId = 3; boolean hasPlayerId(); int getPlayerId(); } public static final class NetWEBRPlayerServerInfo extends com.google.protobuf.GeneratedMessage implements NetWEBRPlayerServerInfoOrBuilder { // Use NetWEBRPlayerServerInfo.newBuilder() to construct. private NetWEBRPlayerServerInfo(Builder builder) { super(builder); } private NetWEBRPlayerServerInfo(boolean noInit) {} private static final NetWEBRPlayerServerInfo defaultInstance; public static NetWEBRPlayerServerInfo getDefaultInstance() { return defaultInstance; } public NetWEBRPlayerServerInfo getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRPlayerServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRPlayerServerInfo_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 5), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 5; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 5: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBRPlayerServerInfo.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } // optional int32 playerId = 3; public static final int PLAYERID_FIELD_NUMBER = 3; private int playerId_; public boolean hasPlayerId() { return ((bitField0_ & 0x00000002) == 0x00000002); } public int getPlayerId() { return playerId_; } private void initFields() { token_ = ""; playerId_ = 0; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } if (((bitField0_ & 0x00000002) == 0x00000002)) { output.writeInt32(3, playerId_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } if (((bitField0_ & 0x00000002) == 0x00000002)) { size += com.google.protobuf.CodedOutputStream .computeInt32Size(3, playerId_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfoOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRPlayerServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRPlayerServerInfo_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); playerId_ = 0; bitField0_ = (bitField0_ & ~0x00000002); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo build() { com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo result = new com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; if (((from_bitField0_ & 0x00000002) == 0x00000002)) { to_bitField0_ |= 0x00000002; } result.playerId_ = playerId_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } if (other.hasPlayerId()) { setPlayerId(other.getPlayerId()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } case 24: { bitField0_ |= 0x00000002; playerId_ = input.readInt32(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // optional int32 playerId = 3; private int playerId_ ; public boolean hasPlayerId() { return ((bitField0_ & 0x00000002) == 0x00000002); } public int getPlayerId() { return playerId_; } public Builder setPlayerId(int value) { bitField0_ |= 0x00000002; playerId_ = value; onChanged(); return this; } public Builder clearPlayerId() { bitField0_ = (bitField0_ & ~0x00000002); playerId_ = 0; onChanged(); return this; } // @@protoc_insertion_point(builder_scope:NetWEBRPlayerServerInfo) } static { defaultInstance = new NetWEBRPlayerServerInfo(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBRPlayerServerInfo) } public interface NetRWEBPlayerServerInfoOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional .MonitorPlayerInfo playerInfo = 1; boolean hasPlayerInfo(); com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo getPlayerInfo(); com.game.message.proto.ProtoContext_Common.MonitorPlayerInfoOrBuilder getPlayerInfoOrBuilder(); } public static final class NetRWEBPlayerServerInfo extends com.google.protobuf.GeneratedMessage implements NetRWEBPlayerServerInfoOrBuilder { // Use NetRWEBPlayerServerInfo.newBuilder() to construct. private NetRWEBPlayerServerInfo(Builder builder) { super(builder); } private NetRWEBPlayerServerInfo(boolean noInit) {} private static final NetRWEBPlayerServerInfo defaultInstance; public static NetRWEBPlayerServerInfo getDefaultInstance() { return defaultInstance; } public NetRWEBPlayerServerInfo getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBPlayerServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBPlayerServerInfo_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 6), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 6; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 6: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBPlayerServerInfo.ID) } private int bitField0_; // optional .MonitorPlayerInfo playerInfo = 1; public static final int PLAYERINFO_FIELD_NUMBER = 1; private com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo playerInfo_; public boolean hasPlayerInfo() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo getPlayerInfo() { return playerInfo_; } public com.game.message.proto.ProtoContext_Common.MonitorPlayerInfoOrBuilder getPlayerInfoOrBuilder() { return playerInfo_; } private void initFields() { playerInfo_ = com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.getDefaultInstance(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeMessage(1, playerInfo_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(1, playerInfo_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfoOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBPlayerServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBPlayerServerInfo_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { getPlayerInfoFieldBuilder(); } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); if (playerInfoBuilder_ == null) { playerInfo_ = com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.getDefaultInstance(); } else { playerInfoBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } if (playerInfoBuilder_ == null) { result.playerInfo_ = playerInfo_; } else { result.playerInfo_ = playerInfoBuilder_.build(); } result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.getDefaultInstance()) return this; if (other.hasPlayerInfo()) { mergePlayerInfo(other.getPlayerInfo()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.Builder subBuilder = com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.newBuilder(); if (hasPlayerInfo()) { subBuilder.mergeFrom(getPlayerInfo()); } input.readMessage(subBuilder, extensionRegistry); setPlayerInfo(subBuilder.buildPartial()); break; } } } } private int bitField0_; // optional .MonitorPlayerInfo playerInfo = 1; private com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo playerInfo_ = com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.getDefaultInstance(); private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo, com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.Builder, com.game.message.proto.ProtoContext_Common.MonitorPlayerInfoOrBuilder> playerInfoBuilder_; public boolean hasPlayerInfo() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo getPlayerInfo() { if (playerInfoBuilder_ == null) { return playerInfo_; } else { return playerInfoBuilder_.getMessage(); } } public Builder setPlayerInfo(com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo value) { if (playerInfoBuilder_ == null) { if (value == null) { throw new NullPointerException(); } playerInfo_ = value; onChanged(); } else { playerInfoBuilder_.setMessage(value); } bitField0_ |= 0x00000001; return this; } public Builder setPlayerInfo( com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.Builder builderForValue) { if (playerInfoBuilder_ == null) { playerInfo_ = builderForValue.build(); onChanged(); } else { playerInfoBuilder_.setMessage(builderForValue.build()); } bitField0_ |= 0x00000001; return this; } public Builder mergePlayerInfo(com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo value) { if (playerInfoBuilder_ == null) { if (((bitField0_ & 0x00000001) == 0x00000001) && playerInfo_ != com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.getDefaultInstance()) { playerInfo_ = com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.newBuilder(playerInfo_).mergeFrom(value).buildPartial(); } else { playerInfo_ = value; } onChanged(); } else { playerInfoBuilder_.mergeFrom(value); } bitField0_ |= 0x00000001; return this; } public Builder clearPlayerInfo() { if (playerInfoBuilder_ == null) { playerInfo_ = com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.getDefaultInstance(); onChanged(); } else { playerInfoBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.Builder getPlayerInfoBuilder() { bitField0_ |= 0x00000001; onChanged(); return getPlayerInfoFieldBuilder().getBuilder(); } public com.game.message.proto.ProtoContext_Common.MonitorPlayerInfoOrBuilder getPlayerInfoOrBuilder() { if (playerInfoBuilder_ != null) { return playerInfoBuilder_.getMessageOrBuilder(); } else { return playerInfo_; } } private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo, com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.Builder, com.game.message.proto.ProtoContext_Common.MonitorPlayerInfoOrBuilder> getPlayerInfoFieldBuilder() { if (playerInfoBuilder_ == null) { playerInfoBuilder_ = new com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo, com.game.message.proto.ProtoContext_Common.MonitorPlayerInfo.Builder, com.game.message.proto.ProtoContext_Common.MonitorPlayerInfoOrBuilder>( playerInfo_, getParentForChildren(), isClean()); playerInfo_ = null; } return playerInfoBuilder_; } // @@protoc_insertion_point(builder_scope:NetRWEBPlayerServerInfo) } static { defaultInstance = new NetRWEBPlayerServerInfo(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBPlayerServerInfo) } public interface NetWEBRServerInfoOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); } public static final class NetWEBRServerInfo extends com.google.protobuf.GeneratedMessage implements NetWEBRServerInfoOrBuilder { // Use NetWEBRServerInfo.newBuilder() to construct. private NetWEBRServerInfo(Builder builder) { super(builder); } private NetWEBRServerInfo(boolean noInit) {} private static final NetWEBRServerInfo defaultInstance; public static NetWEBRServerInfo getDefaultInstance() { return defaultInstance; } public NetWEBRServerInfo getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRServerInfo_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 7), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 7; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 7: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBRServerInfo.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { token_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfoOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRServerInfo_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo build() { com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo result = new com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // @@protoc_insertion_point(builder_scope:NetWEBRServerInfo) } static { defaultInstance = new NetWEBRServerInfo(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBRServerInfo) } public interface NetRWEBServerInfoOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional int64 openServerTime = 1; boolean hasOpenServerTime(); long getOpenServerTime(); // optional int64 serverTime = 2; boolean hasServerTime(); long getServerTime(); // optional int64 onlinePeopleCount = 3; boolean hasOnlinePeopleCount(); long getOnlinePeopleCount(); } public static final class NetRWEBServerInfo extends com.google.protobuf.GeneratedMessage implements NetRWEBServerInfoOrBuilder { // Use NetRWEBServerInfo.newBuilder() to construct. private NetRWEBServerInfo(Builder builder) { super(builder); } private NetRWEBServerInfo(boolean noInit) {} private static final NetRWEBServerInfo defaultInstance; public static NetRWEBServerInfo getDefaultInstance() { return defaultInstance; } public NetRWEBServerInfo getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBServerInfo_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 8), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 8; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 8: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBServerInfo.ID) } private int bitField0_; // optional int64 openServerTime = 1; public static final int OPENSERVERTIME_FIELD_NUMBER = 1; private long openServerTime_; public boolean hasOpenServerTime() { return ((bitField0_ & 0x00000001) == 0x00000001); } public long getOpenServerTime() { return openServerTime_; } // optional int64 serverTime = 2; public static final int SERVERTIME_FIELD_NUMBER = 2; private long serverTime_; public boolean hasServerTime() { return ((bitField0_ & 0x00000002) == 0x00000002); } public long getServerTime() { return serverTime_; } // optional int64 onlinePeopleCount = 3; public static final int ONLINEPEOPLECOUNT_FIELD_NUMBER = 3; private long onlinePeopleCount_; public boolean hasOnlinePeopleCount() { return ((bitField0_ & 0x00000004) == 0x00000004); } public long getOnlinePeopleCount() { return onlinePeopleCount_; } private void initFields() { openServerTime_ = 0L; serverTime_ = 0L; onlinePeopleCount_ = 0L; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeInt64(1, openServerTime_); } if (((bitField0_ & 0x00000002) == 0x00000002)) { output.writeInt64(2, serverTime_); } if (((bitField0_ & 0x00000004) == 0x00000004)) { output.writeInt64(3, onlinePeopleCount_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeInt64Size(1, openServerTime_); } if (((bitField0_ & 0x00000002) == 0x00000002)) { size += com.google.protobuf.CodedOutputStream .computeInt64Size(2, serverTime_); } if (((bitField0_ & 0x00000004) == 0x00000004)) { size += com.google.protobuf.CodedOutputStream .computeInt64Size(3, onlinePeopleCount_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfoOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBServerInfo_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBServerInfo_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); openServerTime_ = 0L; bitField0_ = (bitField0_ & ~0x00000001); serverTime_ = 0L; bitField0_ = (bitField0_ & ~0x00000002); onlinePeopleCount_ = 0L; bitField0_ = (bitField0_ & ~0x00000004); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.openServerTime_ = openServerTime_; if (((from_bitField0_ & 0x00000002) == 0x00000002)) { to_bitField0_ |= 0x00000002; } result.serverTime_ = serverTime_; if (((from_bitField0_ & 0x00000004) == 0x00000004)) { to_bitField0_ |= 0x00000004; } result.onlinePeopleCount_ = onlinePeopleCount_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.getDefaultInstance()) return this; if (other.hasOpenServerTime()) { setOpenServerTime(other.getOpenServerTime()); } if (other.hasServerTime()) { setServerTime(other.getServerTime()); } if (other.hasOnlinePeopleCount()) { setOnlinePeopleCount(other.getOnlinePeopleCount()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 8: { bitField0_ |= 0x00000001; openServerTime_ = input.readInt64(); break; } case 16: { bitField0_ |= 0x00000002; serverTime_ = input.readInt64(); break; } case 24: { bitField0_ |= 0x00000004; onlinePeopleCount_ = input.readInt64(); break; } } } } private int bitField0_; // optional int64 openServerTime = 1; private long openServerTime_ ; public boolean hasOpenServerTime() { return ((bitField0_ & 0x00000001) == 0x00000001); } public long getOpenServerTime() { return openServerTime_; } public Builder setOpenServerTime(long value) { bitField0_ |= 0x00000001; openServerTime_ = value; onChanged(); return this; } public Builder clearOpenServerTime() { bitField0_ = (bitField0_ & ~0x00000001); openServerTime_ = 0L; onChanged(); return this; } // optional int64 serverTime = 2; private long serverTime_ ; public boolean hasServerTime() { return ((bitField0_ & 0x00000002) == 0x00000002); } public long getServerTime() { return serverTime_; } public Builder setServerTime(long value) { bitField0_ |= 0x00000002; serverTime_ = value; onChanged(); return this; } public Builder clearServerTime() { bitField0_ = (bitField0_ & ~0x00000002); serverTime_ = 0L; onChanged(); return this; } // optional int64 onlinePeopleCount = 3; private long onlinePeopleCount_ ; public boolean hasOnlinePeopleCount() { return ((bitField0_ & 0x00000004) == 0x00000004); } public long getOnlinePeopleCount() { return onlinePeopleCount_; } public Builder setOnlinePeopleCount(long value) { bitField0_ |= 0x00000004; onlinePeopleCount_ = value; onChanged(); return this; } public Builder clearOnlinePeopleCount() { bitField0_ = (bitField0_ & ~0x00000004); onlinePeopleCount_ = 0L; onChanged(); return this; } // @@protoc_insertion_point(builder_scope:NetRWEBServerInfo) } static { defaultInstance = new NetRWEBServerInfo(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBServerInfo) } public interface NetWEBROpenRecvMSGLogOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); } public static final class NetWEBROpenRecvMSGLog extends com.google.protobuf.GeneratedMessage implements NetWEBROpenRecvMSGLogOrBuilder { // Use NetWEBROpenRecvMSGLog.newBuilder() to construct. private NetWEBROpenRecvMSGLog(Builder builder) { super(builder); } private NetWEBROpenRecvMSGLog(boolean noInit) {} private static final NetWEBROpenRecvMSGLog defaultInstance; public static NetWEBROpenRecvMSGLog getDefaultInstance() { return defaultInstance; } public NetWEBROpenRecvMSGLog getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenRecvMSGLog_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 9), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 9; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 9: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBROpenRecvMSGLog.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { token_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLogOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBROpenRecvMSGLog_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog build() { com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog result = new com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // @@protoc_insertion_point(builder_scope:NetWEBROpenRecvMSGLog) } static { defaultInstance = new NetWEBROpenRecvMSGLog(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBROpenRecvMSGLog) } public interface NetRWEBOpenRecvMSGLogOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional .TFResult result = 1; boolean hasResult(); com.game.message.proto.ProtoContext_Common.TFResult getResult(); com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder(); } public static final class NetRWEBOpenRecvMSGLog extends com.google.protobuf.GeneratedMessage implements NetRWEBOpenRecvMSGLogOrBuilder { // Use NetRWEBOpenRecvMSGLog.newBuilder() to construct. private NetRWEBOpenRecvMSGLog(Builder builder) { super(builder); } private NetRWEBOpenRecvMSGLog(boolean noInit) {} private static final NetRWEBOpenRecvMSGLog defaultInstance; public static NetRWEBOpenRecvMSGLog getDefaultInstance() { return defaultInstance; } public NetRWEBOpenRecvMSGLog getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenRecvMSGLog_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 10), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 10; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 10: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBOpenRecvMSGLog.ID) } private int bitField0_; // optional .TFResult result = 1; public static final int RESULT_FIELD_NUMBER = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { return result_; } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { return result_; } private void initFields() { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeMessage(1, result_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(1, result_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLogOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBOpenRecvMSGLog_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { getResultFieldBuilder(); } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } if (resultBuilder_ == null) { result.result_ = result_; } else { result.result_ = resultBuilder_.build(); } result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.getDefaultInstance()) return this; if (other.hasResult()) { mergeResult(other.getResult()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { com.game.message.proto.ProtoContext_Common.TFResult.Builder subBuilder = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(); if (hasResult()) { subBuilder.mergeFrom(getResult()); } input.readMessage(subBuilder, extensionRegistry); setResult(subBuilder.buildPartial()); break; } } } } private int bitField0_; // optional .TFResult result = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> resultBuilder_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { if (resultBuilder_ == null) { return result_; } else { return resultBuilder_.getMessage(); } } public Builder setResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (value == null) { throw new NullPointerException(); } result_ = value; onChanged(); } else { resultBuilder_.setMessage(value); } bitField0_ |= 0x00000001; return this; } public Builder setResult( com.game.message.proto.ProtoContext_Common.TFResult.Builder builderForValue) { if (resultBuilder_ == null) { result_ = builderForValue.build(); onChanged(); } else { resultBuilder_.setMessage(builderForValue.build()); } bitField0_ |= 0x00000001; return this; } public Builder mergeResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (((bitField0_ & 0x00000001) == 0x00000001) && result_ != com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance()) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(result_).mergeFrom(value).buildPartial(); } else { result_ = value; } onChanged(); } else { resultBuilder_.mergeFrom(value); } bitField0_ |= 0x00000001; return this; } public Builder clearResult() { if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); onChanged(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public com.game.message.proto.ProtoContext_Common.TFResult.Builder getResultBuilder() { bitField0_ |= 0x00000001; onChanged(); return getResultFieldBuilder().getBuilder(); } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { if (resultBuilder_ != null) { return resultBuilder_.getMessageOrBuilder(); } else { return result_; } } private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> getResultFieldBuilder() { if (resultBuilder_ == null) { resultBuilder_ = new com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder>( result_, getParentForChildren(), isClean()); result_ = null; } return resultBuilder_; } // @@protoc_insertion_point(builder_scope:NetRWEBOpenRecvMSGLog) } static { defaultInstance = new NetRWEBOpenRecvMSGLog(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBOpenRecvMSGLog) } public interface NetWEBRCloseRecvMSGLogOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); } public static final class NetWEBRCloseRecvMSGLog extends com.google.protobuf.GeneratedMessage implements NetWEBRCloseRecvMSGLogOrBuilder { // Use NetWEBRCloseRecvMSGLog.newBuilder() to construct. private NetWEBRCloseRecvMSGLog(Builder builder) { super(builder); } private NetWEBRCloseRecvMSGLog(boolean noInit) {} private static final NetWEBRCloseRecvMSGLog defaultInstance; public static NetWEBRCloseRecvMSGLog getDefaultInstance() { return defaultInstance; } public NetWEBRCloseRecvMSGLog getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseRecvMSGLog_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 11), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 11; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 11: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBRCloseRecvMSGLog.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { token_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLogOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRCloseRecvMSGLog_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog build() { com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog result = new com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // @@protoc_insertion_point(builder_scope:NetWEBRCloseRecvMSGLog) } static { defaultInstance = new NetWEBRCloseRecvMSGLog(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBRCloseRecvMSGLog) } public interface NetRWEBCloseRecvMSGLogOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional .TFResult result = 1; boolean hasResult(); com.game.message.proto.ProtoContext_Common.TFResult getResult(); com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder(); } public static final class NetRWEBCloseRecvMSGLog extends com.google.protobuf.GeneratedMessage implements NetRWEBCloseRecvMSGLogOrBuilder { // Use NetRWEBCloseRecvMSGLog.newBuilder() to construct. private NetRWEBCloseRecvMSGLog(Builder builder) { super(builder); } private NetRWEBCloseRecvMSGLog(boolean noInit) {} private static final NetRWEBCloseRecvMSGLog defaultInstance; public static NetRWEBCloseRecvMSGLog getDefaultInstance() { return defaultInstance; } public NetRWEBCloseRecvMSGLog getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseRecvMSGLog_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 12), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 12; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 12: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBCloseRecvMSGLog.ID) } private int bitField0_; // optional .TFResult result = 1; public static final int RESULT_FIELD_NUMBER = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { return result_; } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { return result_; } private void initFields() { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeMessage(1, result_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(1, result_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLogOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseRecvMSGLog_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBCloseRecvMSGLog_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { getResultFieldBuilder(); } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } if (resultBuilder_ == null) { result.result_ = result_; } else { result.result_ = resultBuilder_.build(); } result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.getDefaultInstance()) return this; if (other.hasResult()) { mergeResult(other.getResult()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { com.game.message.proto.ProtoContext_Common.TFResult.Builder subBuilder = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(); if (hasResult()) { subBuilder.mergeFrom(getResult()); } input.readMessage(subBuilder, extensionRegistry); setResult(subBuilder.buildPartial()); break; } } } } private int bitField0_; // optional .TFResult result = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> resultBuilder_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { if (resultBuilder_ == null) { return result_; } else { return resultBuilder_.getMessage(); } } public Builder setResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (value == null) { throw new NullPointerException(); } result_ = value; onChanged(); } else { resultBuilder_.setMessage(value); } bitField0_ |= 0x00000001; return this; } public Builder setResult( com.game.message.proto.ProtoContext_Common.TFResult.Builder builderForValue) { if (resultBuilder_ == null) { result_ = builderForValue.build(); onChanged(); } else { resultBuilder_.setMessage(builderForValue.build()); } bitField0_ |= 0x00000001; return this; } public Builder mergeResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (((bitField0_ & 0x00000001) == 0x00000001) && result_ != com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance()) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(result_).mergeFrom(value).buildPartial(); } else { result_ = value; } onChanged(); } else { resultBuilder_.mergeFrom(value); } bitField0_ |= 0x00000001; return this; } public Builder clearResult() { if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); onChanged(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public com.game.message.proto.ProtoContext_Common.TFResult.Builder getResultBuilder() { bitField0_ |= 0x00000001; onChanged(); return getResultFieldBuilder().getBuilder(); } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { if (resultBuilder_ != null) { return resultBuilder_.getMessageOrBuilder(); } else { return result_; } } private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> getResultFieldBuilder() { if (resultBuilder_ == null) { resultBuilder_ = new com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder>( result_, getParentForChildren(), isClean()); result_ = null; } return resultBuilder_; } // @@protoc_insertion_point(builder_scope:NetRWEBCloseRecvMSGLog) } static { defaultInstance = new NetRWEBCloseRecvMSGLog(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBCloseRecvMSGLog) } public interface NetWEBRStopServerOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional string token = 1; boolean hasToken(); String getToken(); } public static final class NetWEBRStopServer extends com.google.protobuf.GeneratedMessage implements NetWEBRStopServerOrBuilder { // Use NetWEBRStopServer.newBuilder() to construct. private NetWEBRStopServer(Builder builder) { super(builder); } private NetWEBRStopServer(boolean noInit) {} private static final NetWEBRStopServer defaultInstance; public static NetWEBRStopServer getDefaultInstance() { return defaultInstance; } public NetWEBRStopServer getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRStopServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRStopServer_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 24), CODE2(1, 13), ; public static final int CODE1_VALUE = 24; public static final int CODE2_VALUE = 13; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 24: return CODE1; case 13: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetWEBRStopServer.ID) } private int bitField0_; // optional string token = 1; public static final int TOKEN_FIELD_NUMBER = 1; private java.lang.Object token_; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (ref instanceof String) { return (String) ref; } else { com.google.protobuf.ByteString bs = (com.google.protobuf.ByteString) ref; String s = bs.toStringUtf8(); if (com.google.protobuf.Internal.isValidUtf8(bs)) { token_ = s; } return s; } } private com.google.protobuf.ByteString getTokenBytes() { java.lang.Object ref = token_; if (ref instanceof String) { com.google.protobuf.ByteString b = com.google.protobuf.ByteString.copyFromUtf8((String) ref); token_ = b; return b; } else { return (com.google.protobuf.ByteString) ref; } } private void initFields() { token_ = ""; } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeBytes(1, getTokenBytes()); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeBytesSize(1, getTokenBytes()); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServerOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRStopServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetWEBRStopServer_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); token_ = ""; bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer build() { com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer result = new com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } result.token_ = token_; result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.getDefaultInstance()) return this; if (other.hasToken()) { setToken(other.getToken()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { bitField0_ |= 0x00000001; token_ = input.readBytes(); break; } } } } private int bitField0_; // optional string token = 1; private java.lang.Object token_ = ""; public boolean hasToken() { return ((bitField0_ & 0x00000001) == 0x00000001); } public String getToken() { java.lang.Object ref = token_; if (!(ref instanceof String)) { String s = ((com.google.protobuf.ByteString) ref).toStringUtf8(); token_ = s; return s; } else { return (String) ref; } } public Builder setToken(String value) { if (value == null) { throw new NullPointerException(); } bitField0_ |= 0x00000001; token_ = value; onChanged(); return this; } public Builder clearToken() { bitField0_ = (bitField0_ & ~0x00000001); token_ = getDefaultInstance().getToken(); onChanged(); return this; } void setToken(com.google.protobuf.ByteString value) { bitField0_ |= 0x00000001; token_ = value; onChanged(); } // @@protoc_insertion_point(builder_scope:NetWEBRStopServer) } static { defaultInstance = new NetWEBRStopServer(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetWEBRStopServer) } public interface NetRWEBStopServerOrBuilder extends com.google.protobuf.MessageOrBuilder { // optional .TFResult result = 1; boolean hasResult(); com.game.message.proto.ProtoContext_Common.TFResult getResult(); com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder(); } public static final class NetRWEBStopServer extends com.google.protobuf.GeneratedMessage implements NetRWEBStopServerOrBuilder { // Use NetRWEBStopServer.newBuilder() to construct. private NetRWEBStopServer(Builder builder) { super(builder); } private NetRWEBStopServer(boolean noInit) {} private static final NetRWEBStopServer defaultInstance; public static NetRWEBStopServer getDefaultInstance() { return defaultInstance; } public NetRWEBStopServer getDefaultInstanceForType() { return defaultInstance; } public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBStopServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBStopServer_fieldAccessorTable; } public enum ID implements com.google.protobuf.ProtocolMessageEnum { CODE1(0, 25), CODE2(1, 14), ; public static final int CODE1_VALUE = 25; public static final int CODE2_VALUE = 14; public final int getNumber() { return value; } public static ID valueOf(int value) { switch (value) { case 25: return CODE1; case 14: return CODE2; default: return null; } } public static com.google.protobuf.Internal.EnumLiteMap<ID> internalGetValueMap() { return internalValueMap; } private static com.google.protobuf.Internal.EnumLiteMap<ID> internalValueMap = new com.google.protobuf.Internal.EnumLiteMap<ID>() { public ID findValueByNumber(int number) { return ID.valueOf(number); } }; public final com.google.protobuf.Descriptors.EnumValueDescriptor getValueDescriptor() { return getDescriptor().getValues().get(index); } public final com.google.protobuf.Descriptors.EnumDescriptor getDescriptorForType() { return getDescriptor(); } public static final com.google.protobuf.Descriptors.EnumDescriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.getDescriptor().getEnumTypes().get(0); } private static final ID[] VALUES = { CODE1, CODE2, }; public static ID valueOf( com.google.protobuf.Descriptors.EnumValueDescriptor desc) { if (desc.getType() != getDescriptor()) { throw new java.lang.IllegalArgumentException( "EnumValueDescriptor is not for this type."); } return VALUES[desc.getIndex()]; } private final int index; private final int value; private ID(int index, int value) { this.index = index; this.value = value; } // @@protoc_insertion_point(enum_scope:NetRWEBStopServer.ID) } private int bitField0_; // optional .TFResult result = 1; public static final int RESULT_FIELD_NUMBER = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { return result_; } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { return result_; } private void initFields() { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } private byte memoizedIsInitialized = -1; public final boolean isInitialized() { byte isInitialized = memoizedIsInitialized; if (isInitialized != -1) return isInitialized == 1; memoizedIsInitialized = 1; return true; } public void writeTo(com.google.protobuf.CodedOutputStream output) throws java.io.IOException { getSerializedSize(); if (((bitField0_ & 0x00000001) == 0x00000001)) { output.writeMessage(1, result_); } getUnknownFields().writeTo(output); } private int memoizedSerializedSize = -1; public int getSerializedSize() { int size = memoizedSerializedSize; if (size != -1) return size; size = 0; if (((bitField0_ & 0x00000001) == 0x00000001)) { size += com.google.protobuf.CodedOutputStream .computeMessageSize(1, result_); } size += getUnknownFields().getSerializedSize(); memoizedSerializedSize = size; return size; } private static final long serialVersionUID = 0L; @java.lang.Override protected java.lang.Object writeReplace() throws java.io.ObjectStreamException { return super.writeReplace(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom( com.google.protobuf.ByteString data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom( com.google.protobuf.ByteString data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom(byte[] data) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom( byte[] data, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws com.google.protobuf.InvalidProtocolBufferException { return newBuilder().mergeFrom(data, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom(java.io.InputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseDelimitedFrom(java.io.InputStream input) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseDelimitedFrom( java.io.InputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { Builder builder = newBuilder(); if (builder.mergeDelimitedFrom(input, extensionRegistry)) { return builder.buildParsed(); } else { return null; } } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom( com.google.protobuf.CodedInputStream input) throws java.io.IOException { return newBuilder().mergeFrom(input).buildParsed(); } public static com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer parseFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { return newBuilder().mergeFrom(input, extensionRegistry) .buildParsed(); } public static Builder newBuilder() { return Builder.create(); } public Builder newBuilderForType() { return newBuilder(); } public static Builder newBuilder(com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer prototype) { return newBuilder().mergeFrom(prototype); } public Builder toBuilder() { return newBuilder(this); } @java.lang.Override protected Builder newBuilderForType( com.google.protobuf.GeneratedMessage.BuilderParent parent) { Builder builder = new Builder(parent); return builder; } public static final class Builder extends com.google.protobuf.GeneratedMessage.Builder<Builder> implements com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServerOrBuilder { public static final com.google.protobuf.Descriptors.Descriptor getDescriptor() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBStopServer_descriptor; } protected com.google.protobuf.GeneratedMessage.FieldAccessorTable internalGetFieldAccessorTable() { return com.game.message.proto.ProtoContext_WEBR.internal_static_NetRWEBStopServer_fieldAccessorTable; } // Construct using com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.newBuilder() private Builder() { maybeForceBuilderInitialization(); } private Builder(BuilderParent parent) { super(parent); maybeForceBuilderInitialization(); } private void maybeForceBuilderInitialization() { if (com.google.protobuf.GeneratedMessage.alwaysUseFieldBuilders) { getResultFieldBuilder(); } } private static Builder create() { return new Builder(); } public Builder clear() { super.clear(); if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public Builder clone() { return create().mergeFrom(buildPartial()); } public com.google.protobuf.Descriptors.Descriptor getDescriptorForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.getDescriptor(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer getDefaultInstanceForType() { return com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.getDefaultInstance(); } public com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer build() { com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException(result); } return result; } private com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer buildParsed() throws com.google.protobuf.InvalidProtocolBufferException { com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer result = buildPartial(); if (!result.isInitialized()) { throw newUninitializedMessageException( result).asInvalidProtocolBufferException(); } return result; } public com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer buildPartial() { com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer result = new com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer(this); int from_bitField0_ = bitField0_; int to_bitField0_ = 0; if (((from_bitField0_ & 0x00000001) == 0x00000001)) { to_bitField0_ |= 0x00000001; } if (resultBuilder_ == null) { result.result_ = result_; } else { result.result_ = resultBuilder_.build(); } result.bitField0_ = to_bitField0_; onBuilt(); return result; } public Builder mergeFrom(com.google.protobuf.Message other) { if (other instanceof com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer) { return mergeFrom((com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer)other); } else { super.mergeFrom(other); return this; } } public Builder mergeFrom(com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer other) { if (other == com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.getDefaultInstance()) return this; if (other.hasResult()) { mergeResult(other.getResult()); } this.mergeUnknownFields(other.getUnknownFields()); return this; } public final boolean isInitialized() { return true; } public Builder mergeFrom( com.google.protobuf.CodedInputStream input, com.google.protobuf.ExtensionRegistryLite extensionRegistry) throws java.io.IOException { com.google.protobuf.UnknownFieldSet.Builder unknownFields = com.google.protobuf.UnknownFieldSet.newBuilder( this.getUnknownFields()); while (true) { int tag = input.readTag(); switch (tag) { case 0: this.setUnknownFields(unknownFields.build()); onChanged(); return this; default: { if (!parseUnknownField(input, unknownFields, extensionRegistry, tag)) { this.setUnknownFields(unknownFields.build()); onChanged(); return this; } break; } case 10: { com.game.message.proto.ProtoContext_Common.TFResult.Builder subBuilder = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(); if (hasResult()) { subBuilder.mergeFrom(getResult()); } input.readMessage(subBuilder, extensionRegistry); setResult(subBuilder.buildPartial()); break; } } } } private int bitField0_; // optional .TFResult result = 1; private com.game.message.proto.ProtoContext_Common.TFResult result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> resultBuilder_; public boolean hasResult() { return ((bitField0_ & 0x00000001) == 0x00000001); } public com.game.message.proto.ProtoContext_Common.TFResult getResult() { if (resultBuilder_ == null) { return result_; } else { return resultBuilder_.getMessage(); } } public Builder setResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (value == null) { throw new NullPointerException(); } result_ = value; onChanged(); } else { resultBuilder_.setMessage(value); } bitField0_ |= 0x00000001; return this; } public Builder setResult( com.game.message.proto.ProtoContext_Common.TFResult.Builder builderForValue) { if (resultBuilder_ == null) { result_ = builderForValue.build(); onChanged(); } else { resultBuilder_.setMessage(builderForValue.build()); } bitField0_ |= 0x00000001; return this; } public Builder mergeResult(com.game.message.proto.ProtoContext_Common.TFResult value) { if (resultBuilder_ == null) { if (((bitField0_ & 0x00000001) == 0x00000001) && result_ != com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance()) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.newBuilder(result_).mergeFrom(value).buildPartial(); } else { result_ = value; } onChanged(); } else { resultBuilder_.mergeFrom(value); } bitField0_ |= 0x00000001; return this; } public Builder clearResult() { if (resultBuilder_ == null) { result_ = com.game.message.proto.ProtoContext_Common.TFResult.getDefaultInstance(); onChanged(); } else { resultBuilder_.clear(); } bitField0_ = (bitField0_ & ~0x00000001); return this; } public com.game.message.proto.ProtoContext_Common.TFResult.Builder getResultBuilder() { bitField0_ |= 0x00000001; onChanged(); return getResultFieldBuilder().getBuilder(); } public com.game.message.proto.ProtoContext_Common.TFResultOrBuilder getResultOrBuilder() { if (resultBuilder_ != null) { return resultBuilder_.getMessageOrBuilder(); } else { return result_; } } private com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder> getResultFieldBuilder() { if (resultBuilder_ == null) { resultBuilder_ = new com.google.protobuf.SingleFieldBuilder< com.game.message.proto.ProtoContext_Common.TFResult, com.game.message.proto.ProtoContext_Common.TFResult.Builder, com.game.message.proto.ProtoContext_Common.TFResultOrBuilder>( result_, getParentForChildren(), isClean()); result_ = null; } return resultBuilder_; } // @@protoc_insertion_point(builder_scope:NetRWEBStopServer) } static { defaultInstance = new NetRWEBStopServer(true); defaultInstance.initFields(); } // @@protoc_insertion_point(class_scope:NetRWEBStopServer) } private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBRCloseDoorServer_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBRCloseDoorServer_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBCloseDoorServer_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBCloseDoorServer_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBROpenDoorServer_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBROpenDoorServer_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBOpenDoorServer_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBOpenDoorServer_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBRPlayerServerInfo_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBRPlayerServerInfo_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBPlayerServerInfo_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBPlayerServerInfo_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBRServerInfo_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBRServerInfo_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBServerInfo_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBServerInfo_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBROpenRecvMSGLog_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBROpenRecvMSGLog_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBOpenRecvMSGLog_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBOpenRecvMSGLog_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBRCloseRecvMSGLog_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBRCloseRecvMSGLog_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBCloseRecvMSGLog_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBCloseRecvMSGLog_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetWEBRStopServer_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetWEBRStopServer_fieldAccessorTable; private static com.google.protobuf.Descriptors.Descriptor internal_static_NetRWEBStopServer_descriptor; private static com.google.protobuf.GeneratedMessage.FieldAccessorTable internal_static_NetRWEBStopServer_fieldAccessorTable; public static com.google.protobuf.Descriptors.FileDescriptor getDescriptor() { return descriptor; } private static com.google.protobuf.Descriptors.FileDescriptor descriptor; static { java.lang.String[] descriptorData = { "\n\rNetWEBR.proto\032\014Common.proto\"C\n\026NetWEBR" + "CloseDoorServer\022\r\n\005token\030\001 \001(\t\"\032\n\002ID\022\t\n\005" + "CODE1\020\030\022\t\n\005CODE2\020\001\"O\n\026NetRWEBCloseDoorSe" + "rver\022\031\n\006result\030\001 \001(\0132\t.TFResult\"\032\n\002ID\022\t\n" + "\005CODE1\020\031\022\t\n\005CODE2\020\002\"B\n\025NetWEBROpenDoorSe" + "rver\022\r\n\005token\030\001 \001(\t\"\032\n\002ID\022\t\n\005CODE1\020\030\022\t\n\005" + "CODE2\020\003\"N\n\025NetRWEBOpenDoorServer\022\031\n\006resu" + "lt\030\001 \001(\0132\t.TFResult\"\032\n\002ID\022\t\n\005CODE1\020\031\022\t\n\005" + "CODE2\020\004\"V\n\027NetWEBRPlayerServerInfo\022\r\n\005to" + "ken\030\001 \001(\t\022\020\n\010playerId\030\003 \001(\005\"\032\n\002ID\022\t\n\005COD", "E1\020\030\022\t\n\005CODE2\020\005\"]\n\027NetRWEBPlayerServerIn" + "fo\022&\n\nplayerInfo\030\001 \001(\0132\022.MonitorPlayerIn" + "fo\"\032\n\002ID\022\t\n\005CODE1\020\031\022\t\n\005CODE2\020\006\">\n\021NetWEB" + "RServerInfo\022\r\n\005token\030\001 \001(\t\"\032\n\002ID\022\t\n\005CODE" + "1\020\030\022\t\n\005CODE2\020\007\"v\n\021NetRWEBServerInfo\022\026\n\016o" + "penServerTime\030\001 \001(\003\022\022\n\nserverTime\030\002 \001(\003\022" + "\031\n\021onlinePeopleCount\030\003 \001(\003\"\032\n\002ID\022\t\n\005CODE" + "1\020\031\022\t\n\005CODE2\020\010\"B\n\025NetWEBROpenRecvMSGLog\022" + "\r\n\005token\030\001 \001(\t\"\032\n\002ID\022\t\n\005CODE1\020\030\022\t\n\005CODE2" + "\020\t\"N\n\025NetRWEBOpenRecvMSGLog\022\031\n\006result\030\001 ", "\001(\0132\t.TFResult\"\032\n\002ID\022\t\n\005CODE1\020\031\022\t\n\005CODE2" + "\020\n\"C\n\026NetWEBRCloseRecvMSGLog\022\r\n\005token\030\001 " + "\001(\t\"\032\n\002ID\022\t\n\005CODE1\020\030\022\t\n\005CODE2\020\013\"O\n\026NetRW" + "EBCloseRecvMSGLog\022\031\n\006result\030\001 \001(\0132\t.TFRe" + "sult\"\032\n\002ID\022\t\n\005CODE1\020\031\022\t\n\005CODE2\020\014\">\n\021NetW" + "EBRStopServer\022\r\n\005token\030\001 \001(\t\"\032\n\002ID\022\t\n\005CO" + "DE1\020\030\022\t\n\005CODE2\020\r\"J\n\021NetRWEBStopServer\022\031\n" + "\006result\030\001 \001(\0132\t.TFResult\"\032\n\002ID\022\t\n\005CODE1\020" + "\031\022\t\n\005CODE2\020\016B+\n\026com.game.message.protoB\021" + "ProtoContext_WEBR" }; com.google.protobuf.Descriptors.FileDescriptor.InternalDescriptorAssigner assigner = new com.google.protobuf.Descriptors.FileDescriptor.InternalDescriptorAssigner() { public com.google.protobuf.ExtensionRegistry assignDescriptors( com.google.protobuf.Descriptors.FileDescriptor root) { descriptor = root; internal_static_NetWEBRCloseDoorServer_descriptor = getDescriptor().getMessageTypes().get(0); internal_static_NetWEBRCloseDoorServer_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBRCloseDoorServer_descriptor, new java.lang.String[] { "Token", }, com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.class, com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseDoorServer.Builder.class); internal_static_NetRWEBCloseDoorServer_descriptor = getDescriptor().getMessageTypes().get(1); internal_static_NetRWEBCloseDoorServer_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBCloseDoorServer_descriptor, new java.lang.String[] { "Result", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseDoorServer.Builder.class); internal_static_NetWEBROpenDoorServer_descriptor = getDescriptor().getMessageTypes().get(2); internal_static_NetWEBROpenDoorServer_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBROpenDoorServer_descriptor, new java.lang.String[] { "Token", }, com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.class, com.game.message.proto.ProtoContext_WEBR.NetWEBROpenDoorServer.Builder.class); internal_static_NetRWEBOpenDoorServer_descriptor = getDescriptor().getMessageTypes().get(3); internal_static_NetRWEBOpenDoorServer_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBOpenDoorServer_descriptor, new java.lang.String[] { "Result", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenDoorServer.Builder.class); internal_static_NetWEBRPlayerServerInfo_descriptor = getDescriptor().getMessageTypes().get(4); internal_static_NetWEBRPlayerServerInfo_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBRPlayerServerInfo_descriptor, new java.lang.String[] { "Token", "PlayerId", }, com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.class, com.game.message.proto.ProtoContext_WEBR.NetWEBRPlayerServerInfo.Builder.class); internal_static_NetRWEBPlayerServerInfo_descriptor = getDescriptor().getMessageTypes().get(5); internal_static_NetRWEBPlayerServerInfo_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBPlayerServerInfo_descriptor, new java.lang.String[] { "PlayerInfo", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBPlayerServerInfo.Builder.class); internal_static_NetWEBRServerInfo_descriptor = getDescriptor().getMessageTypes().get(6); internal_static_NetWEBRServerInfo_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBRServerInfo_descriptor, new java.lang.String[] { "Token", }, com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.class, com.game.message.proto.ProtoContext_WEBR.NetWEBRServerInfo.Builder.class); internal_static_NetRWEBServerInfo_descriptor = getDescriptor().getMessageTypes().get(7); internal_static_NetRWEBServerInfo_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBServerInfo_descriptor, new java.lang.String[] { "OpenServerTime", "ServerTime", "OnlinePeopleCount", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBServerInfo.Builder.class); internal_static_NetWEBROpenRecvMSGLog_descriptor = getDescriptor().getMessageTypes().get(8); internal_static_NetWEBROpenRecvMSGLog_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBROpenRecvMSGLog_descriptor, new java.lang.String[] { "Token", }, com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.class, com.game.message.proto.ProtoContext_WEBR.NetWEBROpenRecvMSGLog.Builder.class); internal_static_NetRWEBOpenRecvMSGLog_descriptor = getDescriptor().getMessageTypes().get(9); internal_static_NetRWEBOpenRecvMSGLog_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBOpenRecvMSGLog_descriptor, new java.lang.String[] { "Result", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBOpenRecvMSGLog.Builder.class); internal_static_NetWEBRCloseRecvMSGLog_descriptor = getDescriptor().getMessageTypes().get(10); internal_static_NetWEBRCloseRecvMSGLog_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBRCloseRecvMSGLog_descriptor, new java.lang.String[] { "Token", }, com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.class, com.game.message.proto.ProtoContext_WEBR.NetWEBRCloseRecvMSGLog.Builder.class); internal_static_NetRWEBCloseRecvMSGLog_descriptor = getDescriptor().getMessageTypes().get(11); internal_static_NetRWEBCloseRecvMSGLog_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBCloseRecvMSGLog_descriptor, new java.lang.String[] { "Result", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBCloseRecvMSGLog.Builder.class); internal_static_NetWEBRStopServer_descriptor = getDescriptor().getMessageTypes().get(12); internal_static_NetWEBRStopServer_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetWEBRStopServer_descriptor, new java.lang.String[] { "Token", }, com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.class, com.game.message.proto.ProtoContext_WEBR.NetWEBRStopServer.Builder.class); internal_static_NetRWEBStopServer_descriptor = getDescriptor().getMessageTypes().get(13); internal_static_NetRWEBStopServer_fieldAccessorTable = new com.google.protobuf.GeneratedMessage.FieldAccessorTable( internal_static_NetRWEBStopServer_descriptor, new java.lang.String[] { "Result", }, com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.class, com.game.message.proto.ProtoContext_WEBR.NetRWEBStopServer.Builder.class); return null; } }; com.google.protobuf.Descriptors.FileDescriptor .internalBuildGeneratedFileFrom(descriptorData, new com.google.protobuf.Descriptors.FileDescriptor[] { com.game.message.proto.ProtoContext_Common.getDescriptor(), }, assigner); } // @@protoc_insertion_point(outer_class_scope) }
950fa7541102aaab17aeb9fc4b2811b73f0917c8
ea87e7258602e16675cec3e29dd8bb102d7f90f8
/fest-assert/src/test/java/org/fest/assertions/ImageAssert_isNotSameAs_Test.java
b67672d7b2ce01ebcb9d5be3bf7e80d5f441858a
[ "Apache-2.0" ]
permissive
codehaus/fest
501714cb0e6f44aa1b567df57e4f9f6586311862
a91c0c0585c2928e255913f1825d65fa03399bc6
refs/heads/master
2023-07-20T01:30:54.762720
2010-09-02T00:56:33
2010-09-02T00:56:33
36,525,844
1
0
null
null
null
null
UTF-8
Java
false
false
1,523
java
/* * Created on Jun 9, 2007 * * 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. * * Copyright @2007-2010 the original author or authors. */ package org.fest.assertions; import static org.fest.assertions.Images.*; import java.awt.image.BufferedImage; import org.junit.BeforeClass; /** * Tests for <code>{@link ImageAssert#isNotSameAs(BufferedImage)}</code>. * * @author Yvonne Wang * @author Alex Ruiz */ public class ImageAssert_isNotSameAs_Test extends GenericAssert_isNotSameAs_TestCase<BufferedImage> { private static BufferedImage notNullValue; private static BufferedImage notSameValue; @BeforeClass public static void setUpOnce() { notNullValue = fivePixelYellowImage(); notSameValue = fivePixelBlueImage(); } @Override protected ImageAssert assertionsFor(BufferedImage actual) { return new ImageAssert(actual); } @Override protected BufferedImage notNullValue() { return notNullValue; } @Override protected BufferedImage notSameValue() { return notSameValue; } }
[ "alexruiz@0e018e5f-c563-0410-a877-f7675914c6cc" ]
alexruiz@0e018e5f-c563-0410-a877-f7675914c6cc
e8186d513752543e7b3ac20ab2809ad062c8c47f
c994199273be6c76e7d274f668837c0fd2a914bf
/Raxa/src/org/raxa/module/MedicalInformation/MedicineInformer.java
b9fcc182d2b4a8289737b5b87713f30562241562
[]
no_license
annonymous123/Raxa
198ab2a526f1fd5d9672046a697cab9a34587d47
5acea3ff668cfd5e6c3484cc3df52c6cfa484ad2
refs/heads/master
2016-09-16T12:32:08.304815
2013-07-04T21:14:21
2013-07-04T21:14:21
null
0
0
null
null
null
null
UTF-8
Java
false
false
5,487
java
/* * It will provide patient content of Message that will be played or texted to the patient. * * provide information given one of the following info * 1.patientId,alertType * 2.patientnumber,alertType * 3.scheduleTime,AlertType */ package org.raxa.module.MedicalInformation; import org.apache.log4j.Logger; import org.apache.log4j.PropertyConfigurator; import org.hibernate.Query; import org.hibernate.Session; import org.raxa.module.database.HibernateUtil; import java.sql.Timestamp; import java.util.Date; import java.util.Iterator; import java.sql.Time; import java.util.List; import java.util.ArrayList; import org.raxa.module.variables.*; public class MedicineInformer implements VariableSetter,MedicineInformerConstant { static Logger logger = Logger.getLogger(MedicineInformer.class); private String pnumber; private Time time; private List<String> medicineInfo; private String pid; private int msgId; public MedicineInformer(){ pnumber=null; time=null; medicineInfo=null; // PropertyConfigurator.configure("log4j.properties"); } public MedicineInformer(String pnumber,Time time,List<String> medicineInfo,String pid,int msgId){ this.pnumber=pnumber; this.time=time; this.medicineInfo=medicineInfo; this.pid=pid; this.msgId=msgId; } public String getPhoneNumber(){ return pnumber; } public Time getTime(){ return time; } public List<String> getMedicineInformation(){ return medicineInfo; } public String getPatientId(){ return pid; } public int getMsgId(){ return msgId; } /* * This will return MedicineInformer object once user pass uuid and alertType.This will be used to call * via any software which has access to patient id; */ public List<MedicineInformer> getMedicineInfoOnId(String uuid,int alertType){ String hql=null;Session session = HibernateUtil.getSessionFactory().openSession(); List<MedicineInformer> a=null; if(alertType==IVR_TYPE) hql=IVR_MEDICINE_QUERY_UUID; if(alertType==SMS_TYPE) hql=SMS_MEDICINE_QUERY_UUID; try{ session.beginTransaction(); Query query=session.createQuery(hql); query.setString("pid",uuid); Iterator results=query.list().iterator(); a=getPatientList(results); } catch(Exception ex){ logger.error("Error in getPatientListOnTime"); return null; } session.close(); return a; } /* * This will return MedicineInformer object once user pass phone numebr and alertType.This will be used when * any incoming call,SMS is received; */ public List<MedicineInformer> getMedicineInfoOnNumebr(String pnumber,int alertType){ String hql=null;Session session = HibernateUtil.getSessionFactory().openSession(); List<MedicineInformer> a=null; if(alertType==IVR_TYPE) hql=IVR_MEDICINE_QUERY_NUMBER; if(alertType==SMS_TYPE) hql=SMS_MEDICINE_QUERY_NUMBER; try{ session.beginTransaction(); Query query=session.createQuery(hql); query.setString("pnumber",pnumber); Iterator results=query.list().iterator(); a=getPatientList(results); } catch(Exception ex){ logger.error("Error in getPatientListOnTime"); return null; } session.close(); return a; } /* * */ public List<MedicineInformer> getPatientInfoOnTime(Time lowertime,int alertType){ String hql=null;Session session = HibernateUtil.getSessionFactory().openSession(); List<MedicineInformer> a=null; if(alertType==IVR_TYPE) hql=IVR_MEDICINE_QUERY_DATE; if(alertType==SMS_TYPE) hql=SMS_MEDICINE_QUERY_DATE; Time uppertime=new Time(lowertime.getTime()); uppertime.setMinutes(uppertime.getMinutes()+DATABASE_PINGING_INTERVAL+ACOUNT_DELAY); try{ session.beginTransaction(); Query query=session.createQuery(hql); query.setTime("lowerTime",lowertime); query.setTime("upperTime", uppertime); Iterator results=query.list().iterator(); a=getPatientList(results); } catch(Exception ex){ logger.error("Error in getPatientListOnTime"); return null; } session.close(); return a; } /* * This will return all patient who need to be called given a time and alertType * return null if no tuple found or any error occured */ public List<MedicineInformer> getPatientList(Iterator results){ int flag=0;Date date=new Date();int today=date.getDay(); List<MedicineInformer> listOfPatients=new ArrayList<MedicineInformer>(); if(!(results.hasNext())) return null; try{ Object[] row=(Object[]) results.next(); while(true){ while(today==((Timestamp)row[5]).getDate() && (boolean)row[6]){ if(results.hasNext()) row=(Object[]) results.next(); else return listOfPatients; } String pnumber=(String) row[0]; Time scheduleTime=(Time) row[1]; String pid=(String) row[4]; int id=(Integer) row[3]; List<String> content=new ArrayList<String>(); while(id==(Integer)row[3]){ String temp=(String) row[2]; content.add(temp); if(results.hasNext()) row=(Object[]) results.next(); else{ flag=1; break;} } //Creating Object listOfPatients.add(new MedicineInformer(pnumber,scheduleTime,content,pid,id)); if(flag==1) break; } } catch(Exception ex){ logger.error("IN MedicineInformer:getPatientListOnTime:Error Occured"); return null; } // session.close(); return listOfPatients; } }
45603932b62f916d77e345d9f48e77e840f2f9a7
df81ee92a1995d381bbf2beb2ae0c025c34f82e6
/library/src/main/java/com/fyfeng/android/tools/compress/archivers/tar/TarArchiveOutputStream.java
62e010fb7cdcb46815262346e4d78504c96c329b
[]
no_license
yzw1007/ATools
3ee2fb352d14e5c61b9fb975115bb316e8a4cac9
ea8c7863aab6a9c88548cac5bc71cf26d2320726
refs/heads/master
2021-01-21T20:37:57.113334
2019-10-12T08:36:21
2019-10-12T08:36:21
92,257,384
0
0
null
null
null
null
UTF-8
Java
false
false
26,199
java
/* * 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 com.fyfeng.android.tools.compress.archivers.tar; import java.io.File; import java.io.IOException; import java.io.OutputStream; import java.io.StringWriter; import java.io.UnsupportedEncodingException; import java.nio.ByteBuffer; import java.util.Arrays; import java.util.Date; import java.util.HashMap; import java.util.Map; import com.fyfeng.android.tools.compress.archivers.ArchiveEntry; import com.fyfeng.android.tools.compress.archivers.ArchiveOutputStream; import com.fyfeng.android.tools.compress.archivers.zip.ZipEncoding; import com.fyfeng.android.tools.compress.archivers.zip.ZipEncodingHelper; import com.fyfeng.android.tools.compress.utils.CharsetNames; import com.fyfeng.android.tools.compress.utils.CountingOutputStream; import com.fyfeng.android.tools.compress.utils.FixedLengthBlockOutputStream; /** * The TarOutputStream writes a UNIX tar archive as an OutputStream. Methods are provided to put * entries, and then write their contents by writing to this stream using write(). * * <p>tar archives consist of a sequence of records of 512 bytes each * that are grouped into blocks. Prior to Apache Commons Compress 1.14 * it has been possible to configure a record size different from 512 * bytes and arbitrary block sizes. Starting with Compress 1.15 512 is * the only valid option for the record size and the block size must * be a multiple of 512. Also the default block size changed from * 10240 bytes prior to Compress 1.15 to 512 bytes with Compress * 1.15.</p> * * @NotThreadSafe */ public class TarArchiveOutputStream extends ArchiveOutputStream { /** * Fail if a long file name is required in the archive. */ public static final int LONGFILE_ERROR = 0; /** * Long paths will be truncated in the archive. */ public static final int LONGFILE_TRUNCATE = 1; /** * GNU tar extensions are used to store long file names in the archive. */ public static final int LONGFILE_GNU = 2; /** * POSIX/PAX extensions are used to store long file names in the archive. */ public static final int LONGFILE_POSIX = 3; /** * Fail if a big number (e.g. size &gt; 8GiB) is required in the archive. */ public static final int BIGNUMBER_ERROR = 0; /** * star/GNU tar/BSD tar extensions are used to store big number in the archive. */ public static final int BIGNUMBER_STAR = 1; /** * POSIX/PAX extensions are used to store big numbers in the archive. */ public static final int BIGNUMBER_POSIX = 2; private static final int RECORD_SIZE = 512; private long currSize; private String currName; private long currBytes; private final byte[] recordBuf; private int longFileMode = LONGFILE_ERROR; private int bigNumberMode = BIGNUMBER_ERROR; private int recordsWritten; private final int recordsPerBlock; private boolean closed = false; /** * Indicates if putArchiveEntry has been called without closeArchiveEntry */ private boolean haveUnclosedEntry = false; /** * indicates if this archive is finished */ private boolean finished = false; private final FixedLengthBlockOutputStream out; private final CountingOutputStream countingOut; private final ZipEncoding zipEncoding; // the provided encoding (for unit tests) final String encoding; private boolean addPaxHeadersForNonAsciiNames = false; private static final ZipEncoding ASCII = ZipEncodingHelper.getZipEncoding("ASCII"); private static final int BLOCK_SIZE_UNSPECIFIED = -511; /** * Constructor for TarArchiveOutputStream. * * <p>Uses a block size of 512 bytes.</p> * * @param os the output stream to use */ public TarArchiveOutputStream(final OutputStream os) { this(os, BLOCK_SIZE_UNSPECIFIED); } /** * Constructor for TarArchiveOutputStream. * * <p>Uses a block size of 512 bytes.</p> * * @param os the output stream to use * @param encoding name of the encoding to use for file names * @since 1.4 */ public TarArchiveOutputStream(final OutputStream os, final String encoding) { this(os, BLOCK_SIZE_UNSPECIFIED, encoding); } /** * Constructor for TarArchiveOutputStream. * * @param os the output stream to use * @param blockSize the block size to use. Must be a multiple of 512 bytes. */ public TarArchiveOutputStream(final OutputStream os, final int blockSize) { this(os, blockSize, null); } /** * Constructor for TarArchiveOutputStream. * * @param os the output stream to use * @param blockSize the block size to use * @param recordSize the record size to use. Must be 512 bytes. * @deprecated recordSize must always be 512 bytes. An IllegalArgumentException will be thrown * if any other value is used */ @Deprecated public TarArchiveOutputStream(final OutputStream os, final int blockSize, final int recordSize) { this(os, blockSize, recordSize, null); } /** * Constructor for TarArchiveOutputStream. * * @param os the output stream to use * @param blockSize the block size to use . Must be a multiple of 512 bytes. * @param recordSize the record size to use. Must be 512 bytes. * @param encoding name of the encoding to use for file names * @since 1.4 * @deprecated recordSize must always be 512 bytes. An IllegalArgumentException will be thrown * if any other value is used. */ @Deprecated public TarArchiveOutputStream(final OutputStream os, final int blockSize, final int recordSize, final String encoding) { this(os, blockSize, encoding); if (recordSize != RECORD_SIZE) { throw new IllegalArgumentException( "Tar record size must always be 512 bytes. Attempt to set size of " + recordSize); } } /** * Constructor for TarArchiveOutputStream. * * @param os the output stream to use * @param blockSize the block size to use. Must be a multiple of 512 bytes. * @param encoding name of the encoding to use for file names * @since 1.4 */ public TarArchiveOutputStream(final OutputStream os, final int blockSize, final String encoding) { int realBlockSize; if (BLOCK_SIZE_UNSPECIFIED == blockSize) { realBlockSize = RECORD_SIZE; } else { realBlockSize = blockSize; } if (realBlockSize <=0 || realBlockSize % RECORD_SIZE != 0) { throw new IllegalArgumentException("Block size must be a multiple of 512 bytes. Attempt to use set size of " + blockSize); } out = new FixedLengthBlockOutputStream(countingOut = new CountingOutputStream(os), RECORD_SIZE); this.encoding = encoding; this.zipEncoding = ZipEncodingHelper.getZipEncoding(encoding); this.recordBuf = new byte[RECORD_SIZE]; this.recordsPerBlock = realBlockSize / RECORD_SIZE; } /** * Set the long file mode. This can be LONGFILE_ERROR(0), LONGFILE_TRUNCATE(1) or * LONGFILE_GNU(2). This specifies the treatment of long file names (names &gt;= * TarConstants.NAMELEN). Default is LONGFILE_ERROR. * * @param longFileMode the mode to use */ public void setLongFileMode(final int longFileMode) { this.longFileMode = longFileMode; } /** * Set the big number mode. This can be BIGNUMBER_ERROR(0), BIGNUMBER_POSIX(1) or * BIGNUMBER_STAR(2). This specifies the treatment of big files (sizes &gt; * TarConstants.MAXSIZE) and other numeric values to big to fit into a traditional tar header. * Default is BIGNUMBER_ERROR. * * @param bigNumberMode the mode to use * @since 1.4 */ public void setBigNumberMode(final int bigNumberMode) { this.bigNumberMode = bigNumberMode; } /** * Whether to add a PAX extension header for non-ASCII file names. * * @param b whether to add a PAX extension header for non-ASCII file names. * @since 1.4 */ public void setAddPaxHeadersForNonAsciiNames(final boolean b) { addPaxHeadersForNonAsciiNames = b; } @Deprecated @Override public int getCount() { return (int) getBytesWritten(); } @Override public long getBytesWritten() { return countingOut.getBytesWritten(); } /** * Ends the TAR archive without closing the underlying OutputStream. * * An archive consists of a series of file entries terminated by an * end-of-archive entry, which consists of two 512 blocks of zero bytes. * POSIX.1 requires two EOF records, like some other implementations. * * @throws IOException on error */ @Override public void finish() throws IOException { if (finished) { throw new IOException("This archive has already been finished"); } if (haveUnclosedEntry) { throw new IOException("This archive contains unclosed entries."); } writeEOFRecord(); writeEOFRecord(); padAsNeeded(); out.flush(); finished = true; } /** * Closes the underlying OutputStream. * * @throws IOException on error */ @Override public void close() throws IOException { try { if (!finished) { finish(); } } finally { if (!closed) { out.close(); closed = true; } } } /** * Get the record size being used by this stream's TarBuffer. * * @return The TarBuffer record size. * @deprecated */ @Deprecated public int getRecordSize() { return RECORD_SIZE; } /** * Put an entry on the output stream. This writes the entry's header record and positions the * output stream for writing the contents of the entry. Once this method is called, the stream * is ready for calls to write() to write the entry's contents. Once the contents are written, * closeArchiveEntry() <B>MUST</B> be called to ensure that all buffered data is completely * written to the output stream. * * @param archiveEntry The TarEntry to be written to the archive. * @throws IOException on error * @throws ClassCastException if archiveEntry is not an instance of TarArchiveEntry */ @Override public void putArchiveEntry(final ArchiveEntry archiveEntry) throws IOException { if (finished) { throw new IOException("Stream has already been finished"); } final TarArchiveEntry entry = (TarArchiveEntry) archiveEntry; if (entry.isGlobalPaxHeader()) { final byte[] data = encodeExtendedPaxHeadersContents(entry.getExtraPaxHeaders()); entry.setSize(data.length); entry.writeEntryHeader(recordBuf, zipEncoding, bigNumberMode == BIGNUMBER_STAR); writeRecord(recordBuf); currSize= entry.getSize(); currBytes = 0; this.haveUnclosedEntry = true; write(data); closeArchiveEntry(); } else { final Map<String, String> paxHeaders = new HashMap<>(); final String entryName = entry.getName(); final boolean paxHeaderContainsPath = handleLongName(entry, entryName, paxHeaders, "path", TarConstants.LF_GNUTYPE_LONGNAME, "file name"); final String linkName = entry.getLinkName(); final boolean paxHeaderContainsLinkPath = linkName != null && linkName.length() > 0 && handleLongName(entry, linkName, paxHeaders, "linkpath", TarConstants.LF_GNUTYPE_LONGLINK, "link name"); if (bigNumberMode == BIGNUMBER_POSIX) { addPaxHeadersForBigNumbers(paxHeaders, entry); } else if (bigNumberMode != BIGNUMBER_STAR) { failForBigNumbers(entry); } if (addPaxHeadersForNonAsciiNames && !paxHeaderContainsPath && !ASCII.canEncode(entryName)) { paxHeaders.put("path", entryName); } if (addPaxHeadersForNonAsciiNames && !paxHeaderContainsLinkPath && (entry.isLink() || entry.isSymbolicLink()) && !ASCII.canEncode(linkName)) { paxHeaders.put("linkpath", linkName); } paxHeaders.putAll(entry.getExtraPaxHeaders()); if (paxHeaders.size() > 0) { writePaxHeaders(entry, entryName, paxHeaders); } entry.writeEntryHeader(recordBuf, zipEncoding, bigNumberMode == BIGNUMBER_STAR); writeRecord(recordBuf); currBytes = 0; if (entry.isDirectory()) { currSize = 0; } else { currSize = entry.getSize(); } currName = entryName; haveUnclosedEntry = true; } } /** * Close an entry. This method MUST be called for all file entries that contain data. The reason * is that we must buffer data written to the stream in order to satisfy the buffer's record * based writes. Thus, there may be data fragments still being assembled that must be written to * the output stream before this entry is closed and the next entry written. * * @throws IOException on error */ @Override public void closeArchiveEntry() throws IOException { if (finished) { throw new IOException("Stream has already been finished"); } if (!haveUnclosedEntry) { throw new IOException("No current entry to close"); } out.flushBlock(); if (currBytes < currSize) { throw new IOException("entry '" + currName + "' closed at '" + currBytes + "' before the '" + currSize + "' bytes specified in the header were written"); } recordsWritten += (currSize / RECORD_SIZE); if (0 != currSize % RECORD_SIZE) { recordsWritten++; } haveUnclosedEntry = false; } /** * Writes bytes to the current tar archive entry. This method is aware of the current entry and * will throw an exception if you attempt to write bytes past the length specified for the * current entry. * * @param wBuf The buffer to write to the archive. * @param wOffset The offset in the buffer from which to get bytes. * @param numToWrite The number of bytes to write. * @throws IOException on error */ @Override public void write(final byte[] wBuf, int wOffset, int numToWrite) throws IOException { if (!haveUnclosedEntry) { throw new IllegalStateException("No current tar entry"); } if (currBytes + numToWrite > currSize) { throw new IOException("request to write '" + numToWrite + "' bytes exceeds size in header of '" + currSize + "' bytes for entry '" + currName + "'"); } out.write(wBuf, wOffset, numToWrite); currBytes += numToWrite; } /** * Writes a PAX extended header with the given map as contents. * * @since 1.4 */ void writePaxHeaders(final TarArchiveEntry entry, final String entryName, final Map<String, String> headers) throws IOException { String name = "./PaxHeaders.X/" + stripTo7Bits(entryName); if (name.length() >= TarConstants.NAMELEN) { name = name.substring(0, TarConstants.NAMELEN - 1); } final TarArchiveEntry pex = new TarArchiveEntry(name, TarConstants.LF_PAX_EXTENDED_HEADER_LC); transferModTime(entry, pex); final byte[] data = encodeExtendedPaxHeadersContents(headers); pex.setSize(data.length); putArchiveEntry(pex); write(data); closeArchiveEntry(); } private byte[] encodeExtendedPaxHeadersContents(Map<String, String> headers) throws UnsupportedEncodingException { final StringWriter w = new StringWriter(); for (final Map.Entry<String, String> h : headers.entrySet()) { final String key = h.getKey(); final String value = h.getValue(); int len = key.length() + value.length() + 3 /* blank, equals and newline */ + 2 /* guess 9 < actual length < 100 */; String line = len + " " + key + "=" + value + "\n"; int actualLength = line.getBytes(CharsetNames.UTF_8).length; while (len != actualLength) { // Adjust for cases where length < 10 or > 100 // or where UTF-8 encoding isn't a single octet // per character. // Must be in loop as size may go from 99 to 100 in // first pass so we'd need a second. len = actualLength; line = len + " " + key + "=" + value + "\n"; actualLength = line.getBytes(CharsetNames.UTF_8).length; } w.write(line); } return w.toString().getBytes(CharsetNames.UTF_8); } private String stripTo7Bits(final String name) { final int length = name.length(); final StringBuilder result = new StringBuilder(length); for (int i = 0; i < length; i++) { final char stripped = (char) (name.charAt(i) & 0x7F); if (shouldBeReplaced(stripped)) { result.append("_"); } else { result.append(stripped); } } return result.toString(); } /** * @return true if the character could lead to problems when used inside a TarArchiveEntry name * for a PAX header. */ private boolean shouldBeReplaced(final char c) { return c == 0 // would be read as Trailing null || c == '/' // when used as last character TAE will consider the PAX header a directory || c == '\\'; // same as '/' as slashes get "normalized" on Windows } /** * Write an EOF (end of archive) record to the tar archive. An EOF record consists of a record * of all zeros. */ private void writeEOFRecord() throws IOException { Arrays.fill(recordBuf, (byte) 0); writeRecord(recordBuf); } @Override public void flush() throws IOException { out.flush(); } @Override public ArchiveEntry createArchiveEntry(final File inputFile, final String entryName) throws IOException { if (finished) { throw new IOException("Stream has already been finished"); } return new TarArchiveEntry(inputFile, entryName); } /** * Write an archive record to the archive. * * @param record The record data to write to the archive. * @throws IOException on error */ private void writeRecord(final byte[] record) throws IOException { if (record.length != RECORD_SIZE) { throw new IOException("record to write has length '" + record.length + "' which is not the record size of '" + RECORD_SIZE + "'"); } out.write(record); recordsWritten++; } private void padAsNeeded() throws IOException { final int start = recordsWritten % recordsPerBlock; if (start != 0) { for (int i = start; i < recordsPerBlock; i++) { writeEOFRecord(); } } } private void addPaxHeadersForBigNumbers(final Map<String, String> paxHeaders, final TarArchiveEntry entry) { addPaxHeaderForBigNumber(paxHeaders, "size", entry.getSize(), TarConstants.MAXSIZE); addPaxHeaderForBigNumber(paxHeaders, "gid", entry.getLongGroupId(), TarConstants.MAXID); addPaxHeaderForBigNumber(paxHeaders, "mtime", entry.getModTime().getTime() / 1000, TarConstants.MAXSIZE); addPaxHeaderForBigNumber(paxHeaders, "uid", entry.getLongUserId(), TarConstants.MAXID); // star extensions by J\u00f6rg Schilling addPaxHeaderForBigNumber(paxHeaders, "SCHILY.devmajor", entry.getDevMajor(), TarConstants.MAXID); addPaxHeaderForBigNumber(paxHeaders, "SCHILY.devminor", entry.getDevMinor(), TarConstants.MAXID); // there is no PAX header for file mode failForBigNumber("mode", entry.getMode(), TarConstants.MAXID); } private void addPaxHeaderForBigNumber(final Map<String, String> paxHeaders, final String header, final long value, final long maxValue) { if (value < 0 || value > maxValue) { paxHeaders.put(header, String.valueOf(value)); } } private void failForBigNumbers(final TarArchiveEntry entry) { failForBigNumber("entry size", entry.getSize(), TarConstants.MAXSIZE); failForBigNumberWithPosixMessage("group id", entry.getLongGroupId(), TarConstants.MAXID); failForBigNumber("last modification time", entry.getModTime().getTime() / 1000, TarConstants.MAXSIZE); failForBigNumber("user id", entry.getLongUserId(), TarConstants.MAXID); failForBigNumber("mode", entry.getMode(), TarConstants.MAXID); failForBigNumber("major device number", entry.getDevMajor(), TarConstants.MAXID); failForBigNumber("minor device number", entry.getDevMinor(), TarConstants.MAXID); } private void failForBigNumber(final String field, final long value, final long maxValue) { failForBigNumber(field, value, maxValue, ""); } private void failForBigNumberWithPosixMessage(final String field, final long value, final long maxValue) { failForBigNumber(field, value, maxValue, " Use STAR or POSIX extensions to overcome this limit"); } private void failForBigNumber(final String field, final long value, final long maxValue, final String additionalMsg) { if (value < 0 || value > maxValue) { throw new RuntimeException(field + " '" + value //NOSONAR + "' is too big ( > " + maxValue + " )." + additionalMsg); } } /** * Handles long file or link names according to the longFileMode setting. * * <p>I.e. if the given name is too long to be written to a plain tar header then <ul> <li>it * creates a pax header who's name is given by the paxHeaderName parameter if longFileMode is * POSIX</li> <li>it creates a GNU longlink entry who's type is given by the linkType parameter * if longFileMode is GNU</li> <li>it throws an exception if longFileMode is ERROR</li> <li>it * truncates the name if longFileMode is TRUNCATE</li> </ul></p> * * @param entry entry the name belongs to * @param name the name to write * @param paxHeaders current map of pax headers * @param paxHeaderName name of the pax header to write * @param linkType type of the GNU entry to write * @param fieldName the name of the field * @return whether a pax header has been written. */ private boolean handleLongName(final TarArchiveEntry entry, final String name, final Map<String, String> paxHeaders, final String paxHeaderName, final byte linkType, final String fieldName) throws IOException { final ByteBuffer encodedName = zipEncoding.encode(name); final int len = encodedName.limit() - encodedName.position(); if (len >= TarConstants.NAMELEN) { if (longFileMode == LONGFILE_POSIX) { paxHeaders.put(paxHeaderName, name); return true; } else if (longFileMode == LONGFILE_GNU) { // create a TarEntry for the LongLink, the contents // of which are the link's name final TarArchiveEntry longLinkEntry = new TarArchiveEntry(TarConstants.GNU_LONGLINK, linkType); longLinkEntry.setSize(len + 1L); // +1 for NUL transferModTime(entry, longLinkEntry); putArchiveEntry(longLinkEntry); write(encodedName.array(), encodedName.arrayOffset(), len); write(0); // NUL terminator closeArchiveEntry(); } else if (longFileMode != LONGFILE_TRUNCATE) { throw new RuntimeException(fieldName + " '" + name //NOSONAR + "' is too long ( > " + TarConstants.NAMELEN + " bytes)"); } } return false; } private void transferModTime(final TarArchiveEntry from, final TarArchiveEntry to) { Date fromModTime = from.getModTime(); final long fromModTimeSeconds = fromModTime.getTime() / 1000; if (fromModTimeSeconds < 0 || fromModTimeSeconds > TarConstants.MAXSIZE) { fromModTime = new Date(0); } to.setModTime(fromModTime); } }
79879c167a34bc70e3d13c12c20904ddf5fadede
d58544adec4314268b1e245e5ebf70b3ae52dd2f
/src/main/java/com/mp/MpApplication.java
8daff046b8808f8c6ffa2b2a17d1889af7092e49
[]
no_license
hzqiuxm/mp
150586b5836674ee6ed981873a302dd748283224
2bb4d6c6d2e19d22d0ca82a307ea28533164737d
refs/heads/master
2022-06-24T07:50:29.647205
2021-03-18T13:19:30
2021-03-18T13:19:30
249,944,611
0
0
null
2022-06-21T03:03:34
2020-03-25T10:07:34
Java
UTF-8
Java
false
false
561
java
package com.mp; import org.mybatis.spring.annotation.MapperScan; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; /** * Copyright © 2020年 mp. All rights reserved. * * @author 临江仙 [email protected] * @date 2020/3/25 15:12 */ @SpringBootApplication @MapperScan("com.mp") public class MpApplication { public static void main(String[] args) { SpringApplication.run(MpApplication.class,args); System.out.println("============hello mp ==========="); } }
5289ca73a8d8587b59700051c59b3aeb4fa6011c
06190a7ddb7de5b048948596127b3fb4da921c7b
/src/main/java/mapreduce/util/XmlElementUtils.java
7f47eccb900312ab8038138dba0a4dd2f683b05f
[]
no_license
echodd327/hdfs-test
7b1f5ba48e32cd581c335eecd6a2c5d120df5178
8e65e6f350304c793200b9e956306e0b52b04ac0
refs/heads/master
2021-09-11T02:14:14.437141
2018-04-06T02:44:09
2018-04-06T02:44:09
103,370,987
0
0
null
null
null
null
UTF-8
Java
false
false
3,313
java
package mapreduce.util; import java.io.IOException; import java.io.StringReader; import java.io.StringWriter; import java.util.ArrayList; import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import javax.xml.parsers.ParserConfigurationException; import javax.xml.transform.OutputKeys; import javax.xml.transform.Transformer; import javax.xml.transform.TransformerException; import javax.xml.transform.TransformerFactory; import javax.xml.transform.dom.DOMSource; import javax.xml.transform.stream.StreamResult; import org.w3c.dom.Attr; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.NamedNodeMap; import org.xml.sax.InputSource; import org.xml.sax.SAXException; public class XmlElementUtils { private DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance(); private String nestElement(String post, ArrayList<String> comments) throws Exception { DocumentBuilder bldr = dbf.newDocumentBuilder(); Document doc = bldr.newDocument(); Element postEle = this.getXmlElementFromString(post); Element toAddPostEl = doc.createElement("post"); this.copyAttributesToElement(postEle.getAttributes(), toAddPostEl); for(String comment: comments){ Element commentEle = this.getXmlElementFromString(comment); Element toAddCommentEl = doc.createElement("commnets"); this.copyAttributesToElement(commentEle.getAttributes(),toAddCommentEl); toAddPostEl.appendChild(toAddCommentEl); } doc.appendChild(toAddPostEl); return transfromDocumentToString(doc); } private Element getXmlElementFromString(String xml) throws ParserConfigurationException, SAXException, IOException{ DocumentBuilder bldr = dbf.newDocumentBuilder(); return bldr.parse(new InputSource(new StringReader(xml))).getDocumentElement(); } private void copyAttributesToElement(NamedNodeMap attributes, Element element){ for(int i = 0; i < attributes.getLength(); i++){ Attr toCopy = (Attr)attributes.item(i); element.setAttribute(toCopy.getName(), toCopy.getValue()); } } private String transfromDocumentToString(Document doc) throws TransformerException{ TransformerFactory tf = TransformerFactory.newInstance(); Transformer transformer = tf.newTransformer(); transformer.setOutputProperty(OutputKeys.OMIT_XML_DECLARATION, "yes"); StringWriter writer = new StringWriter(); transformer.transform(new DOMSource(doc), new StreamResult(writer)); return writer.getBuffer().toString().replaceAll("\n|\r", ""); } public static void main(String[] args) throws Exception { String post = "<row Id=\"6939296\" PostTypeId=\"2\" ParentId=\"6939137\" CreationDate=\"2011-08-04T09:50:25.043\" Score=\"4\" ViewCount=\"\" Body=\"&lt;p&gt;You should have imported Poll with &lt;code&gt; from polls.models import poll&lt;/code&gt;&lt;/p&gt;&#xA;\" OwnerUserId=\"634150\" LastActivityDate=\"2011-08-04T09:50:25.043\" CommentCount=\"1\"/>"; ArrayList<String> comments = new ArrayList<String>(); String comment = "<row Id=\"8189677\" PostId=\"6939296\" Text=\"Have you looked at Hadoop?\" CreationDate=\"2011-07-30T07:29:33.343\" UserId=\"831878\"/>"; comments.add(comment); XmlElementUtils utils = new XmlElementUtils(); String str = utils.nestElement(post, comments); System.out.println(str); } }
43aa2b6617e12cca1f69b15276a55c797c4b89a1
056304bf88b96bc73a9847515c247ab8c59833fb
/core/src/main/java/ru/wildbot/core/api/plugin/annotation/OnEnable.java
2d01c855f7045fa5e1e9ece7c466e7f6a4225f9e
[ "Apache-2.0" ]
permissive
JarvisCraft/WildBot
9a55d1ac35703ad3318b401872faa8edd799f76b
dfba0f8ba9d01f17f21cc117b1dba36301160ec9
refs/heads/master
2021-06-24T03:05:13.698200
2020-06-03T07:49:13
2020-06-03T07:49:13
102,184,037
5
3
NOASSERTION
2020-10-12T06:17:29
2017-09-02T08:43:24
Java
UTF-8
Java
false
false
918
java
/* * Copyright 2017 Peter P. (JARvis PROgrammer) * * 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 ru.wildbot.core.api.plugin.annotation; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface OnEnable { }
cf905c92213b62c5db7d802a8509151e74aafc03
97c2cfd517cdf2a348a3fcb73e9687003f472201
/workspace/malbec-fer/tags/malbec-fer-1.3.2/src/test/java/malbec/fer/mapping/MarketTickersMapperTest.java
cb2ed589dbe626e53d94851c18f96552ef003b40
[]
no_license
rsheftel/ratel
b1179fcc1ca55255d7b511a870a2b0b05b04b1a0
e1876f976c3e26012a5f39707275d52d77f329b8
refs/heads/master
2016-09-05T21:34:45.510667
2015-05-12T03:51:05
2015-05-12T03:51:05
32,461,975
0
0
null
null
null
null
UTF-8
Java
false
false
802
java
package malbec.fer.mapping; import org.testng.annotations.Test; import static org.testng.Assert.*; public class MarketTickersMapperTest { @Test(groups = { "unittest" }) public void testMapping() { MarketTickersMapper mtm = new MarketTickersMapper(); String MARKET = "EC.1c"; String BLOOMBERG = "ECH9"; String TSDB = "EC200903"; mtm.addMarketMapping(MARKET, BLOOMBERG, "Curncy", TSDB); String mappedBloombergLC = mtm.lookupBloomberg(MARKET.toLowerCase()); assertEquals(mappedBloombergLC, BLOOMBERG, "Incorrect bloomberg returned"); String mappedBloombergUP = mtm.lookupBloomberg(MARKET.toUpperCase()); assertEquals(mappedBloombergUP, BLOOMBERG, "Incorrect bloomberg returned"); } }
691fdc71d1f0b36a0e7f126d70999c38eb5e7170
d562e5dc448a7cef040918d001df06b14c5d24ec
/Assignment-war/src/fit5042/controllers/CustomerApplication.java
0e53e6df58c77c00b95abcdae44c5694939d234c
[]
no_license
siyangliu123/5042
adbbbeb8704c86c4baa16bb3e8a455bf5a205e2f
3ed996d791bb7159038ffdb862d20896aaac4075
refs/heads/master
2023-01-09T04:58:14.227459
2020-11-08T05:46:36
2020-11-08T05:46:36
310,793,182
0
0
null
null
null
null
UTF-8
Java
false
false
2,828
java
package fit5042.controllers; import java.util.ArrayList; import javax.el.ELContext; import javax.enterprise.context.ApplicationScoped; import javax.faces.annotation.ManagedProperty; import javax.faces.context.ExternalContext; import javax.faces.context.FacesContext; import javax.inject.Named; import fit5042.mbeans.CustomerManagedBean; import fit5042.repository.entity.Customer; @Named(value = "customerApplication") @ApplicationScoped public class CustomerApplication { @ManagedProperty(value="#{customerManagedBean}") CustomerManagedBean customerManagedBean; private ArrayList<Customer> customers; private boolean showForm = true; public boolean isShowForm() { return showForm; } public CustomerApplication() throws Exception { customers = new ArrayList<>(); ELContext elContext = FacesContext.getCurrentInstance().getELContext(); customerManagedBean = (CustomerManagedBean) FacesContext.getCurrentInstance().getApplication() .getELResolver().getValue(elContext, null, "customerManagedBean"); ExternalContext ec = FacesContext.getCurrentInstance().getExternalContext(); String username = ec.getRemoteUser(); searchAll(); } public ArrayList<Customer> getCustomers() { return customers; } private void setCustomers(ArrayList<Customer> newCustomers) { this.customers = newCustomers; } public void updateCustomerList(String username) { if (customers != null && customers.size() > 0) { } else { customers.clear(); if(username!="admin") { for (Customer customer : customerManagedBean.getUserCustomers(username)) { customers.add(customer); } } else { for (Customer customer : customerManagedBean.getAllCustomers()) { customers.add(customer); } } setCustomers(customers); } } public void searchCustomerById(int customerID) { customers.clear(); customers.add(customerManagedBean.getCustomer(customerID)); } public void searchCustomerByTypeOfIndustry(String typeOfIndustry) { customers.clear(); for (Customer customer : customerManagedBean.searchCustomerByTypeOfIndustry(typeOfIndustry)) { customers.add(customer); } setCustomers(customers); } public void searchAll() { customers.clear(); for (Customer customer : customerManagedBean.getAllCustomers()) { customers.add(customer); } setCustomers(customers); } }
f8821f92d768567dfe6f56583c7624e702e3e259
0b78d3d9f45c899fefca0192ca4b92f2c17023b6
/banner_manager/src/main/java/ru/nsu/fit/borzov/banner_manager/dto/ResponseBannerDto.java
5d5439a84d4f33b2a8935003619e15fc29717be2
[]
no_license
var3ant/banner_manager
7ff061223f311c1f8af72ace1ab69573ec6b91c6
0a99ff46e52d7e30177d29d3c71b0f4612255c69
refs/heads/main
2023-08-25T01:03:57.252273
2021-10-10T16:24:04
2021-10-10T16:24:04
415,554,317
0
0
null
null
null
null
UTF-8
Java
false
false
240
java
package ru.nsu.fit.borzov.banner_manager.dto; import lombok.Data; @Data public class ResponseBannerDto { private Long id; private String name; private Double price; private Long categoryId; private String text; }
956bac824d8ed7b3bf1231f11b3c1efcba1afe15
0b5f443496d66ac6936b717671a751b4b1a66a36
/Algorithm/src/algorithm/test1149/Main.java
91861a52e82bd4f85a3bda25e6bf01d74470a37f
[]
no_license
amswo/Algorithm
d4a8eb6c804d6646e4b9dcf5c5fe72b8df271e13
da0b06d285d8ff1a172712415920dc395dfbbe29
refs/heads/master
2021-01-12T07:06:47.496870
2016-12-21T05:12:08
2016-12-21T05:12:08
76,914,041
0
0
null
null
null
null
UTF-8
Java
false
false
1,533
java
package algorithm.test1149; import java.io.*; import java.util.*; public class Main { public static void main(String[] args) throws IOException{ BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); int house = Integer.parseInt(br.readLine()); StringTokenizer st ; int RGB[][] = new int[house][3]; for(int i=0; i<house; i++) { st = new StringTokenizer(br.readLine(), " "); for (int j = 0; j < RGB[i].length; j++) { RGB[i][j] = Integer.valueOf(st.nextToken()); } } br.close(); int result[] = new int[3]; for(int i=0; i<result.length; i++){ result[i] = paintHouse(RGB, house-1, i); } Arrays.sort(result); System.out.println(result[0]); } public static int paintHouse(int rgb[][], int house, int color){ int result = 0; if(house >= 0){ if(color == 0){ // 마지막이 red result = rgb[house][color] + Math.min(paintHouse(rgb, house-1, color+1), paintHouse(rgb, house-1, color+2)); }else if(color == 1){ // 마지막이 green result = rgb[house][color] + Math.min(paintHouse(rgb, house-1, color-1), paintHouse(rgb, house-1, color+1)); }else if(color == 2){ // 마지막이 blue result = rgb[house][color] + Math.min(paintHouse(rgb, house-1, color-2), paintHouse(rgb, house-1, color-1)); } } return result; } }
fb779df6fa135dc4665f2fac5bca8ba6583eb092
1bc1ac6e8971097899c809df9bda42c4203247db
/src/com/jmexe/interview/GraphValidTree/Solution.java
0a2fd9cdc8b573b73cf19805302b31991c975b52
[]
no_license
jmexe/leetcode
be061cdf5fcbe6cf42dfa9db1feb4c28d1fc9e37
8775a74f6d0dfc5c46e921ed899103fbfc713291
refs/heads/master
2021-01-10T09:55:06.391792
2016-02-19T17:58:27
2016-02-19T17:58:27
47,373,380
0
0
null
null
null
null
UTF-8
Java
false
false
1,018
java
package com.jmexe.interview.GraphValidTree; import java.util.Arrays; /** * Created by Jmexe on 1/28/16. */ public class Solution { public static boolean validTree(int n, int[][] edges) { int[] roots = new int[n]; Arrays.fill(roots, -1); for (int[] edge : edges) { int rx = find(roots, edge[0]); int ry = find(roots, edge[1]); if (rx == ry) { return false; } roots[rx] = ry; } return true; } public void union(int[] roots, int i, int j) { int ri = find(roots, i); int rj = find(roots, j); if (ri != rj) { roots[ri] = rj; } } public static int find(int[] roots, int n) { if (n < 0) { return n; } return find(roots, roots[n]); } public static void main(String[] args) { int[][] edges = {{0, 1}, {0, 2}, {2, 3}, {2, 4}}; System.out.println(validTree(5, edges)); } }
f010f983be30b57080961ebbaa3498f24bf747b0
01c69bd8a616b5e60b22fe4c029cc72819105f8e
/src/main/java/com/paymentsapp/paymentsapp/PaymentsappApplication.java
f898bd8c83fb39efe4d4dcc158d07639a3b31de3
[]
no_license
JesusGonzalezA/PaymentsApp-Backend
03a8321e3bd588a6465882b26d84ed055f93c821
2420643a76767601b8de239c26f7884a9ce55044
refs/heads/main
2023-09-05T04:53:06.161097
2021-11-24T13:17:45
2021-11-24T13:17:45
428,714,730
0
0
null
null
null
null
UTF-8
Java
false
false
1,014
java
package com.paymentsapp.paymentsapp; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.context.annotation.Bean; import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder; import org.springframework.web.servlet.config.annotation.CorsRegistry; import org.springframework.web.servlet.config.annotation.WebMvcConfigurer; @SpringBootApplication public class PaymentsappApplication { @Bean public BCryptPasswordEncoder bCryptPasswordEncoder() { return new BCryptPasswordEncoder(); } @Bean public WebMvcConfigurer corsConfigurer() { return new WebMvcConfigurer() { @Override public void addCorsMappings(CorsRegistry registry) { registry .addMapping("/**") .allowedOrigins("http://localhost:3000") .allowedMethods("*") .allowedHeaders("*"); } }; } public static void main(String[] args) { SpringApplication.run(PaymentsappApplication.class, args); } }
1f9f3fb2913db2dacb6074490f9e90ab46f7f017
6e02f350a5212d5ecf17cbf145038bc8fe102715
/DistributedSystem/src/milestone1/EchoClient.java
ea788988c747e30202bb5647775e218b9f405aad
[]
no_license
dansenzhou/DistributedSystemMS1
d2f586d6bf6d68c2439524cc12769feb02f051b7
d65a4b474a9b4a4204c3a76a7397ecdba865362c
refs/heads/master
2020-04-08T01:13:34.009769
2013-10-25T11:57:35
2013-10-25T11:57:35
null
0
0
null
null
null
null
UTF-8
Java
false
false
4,981
java
package milestone1; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.io.OutputStream; import java.io.PrintWriter; import java.net.Socket; import org.apache.log4j.LogManager; import org.apache.log4j.Logger; public class EchoClient implements Runnable { private BufferedReader br; private OutputStream outputStream; private InputStream inputStream; private Socket socket; private String ipAddress = ""; private String message = ""; private int port = 0; private int command = 0; private String ori_command = ""; private Logger log; private final int CONNECT_COMMAND = 1; private final int SEND_COMMAND = 2; private final int DISCONNECT_COMMAND = 3; private final int QUIT_COMMAND = 4; private final int ERROR_COMMAND = 5; private final int HELP_COMMAND = 6; public static void main(String[] args) { try { System.out .println("EchoClient> " + "Welcome to Echo Cliend, please type in command or type help!"); new Thread(new EchoClient()).start(); } catch (IOException e) { e.printStackTrace(); } } public EchoClient() throws IOException { log = LogManager.getLogger(EchoClient.class); log.info("Client Start!"); } @Override public void run() { try { while (true) { System.out.print("EchoClient> "); command = this.readCommand(); switch (command) { case 1: this.socket = new Socket("131.159.52.1", 50000); // this.socket = new Socket(this.ipAddress, this.port); this.outputStream = this.socket.getOutputStream(); this.inputStream = this.socket.getInputStream(); BufferedReader output = new BufferedReader( new InputStreamReader(inputStream)); System.out.println("EchoClient> " + output.readLine()); log.info("Success to connect to the echo server!"); break; case 2: if (!socket.isClosed()) { PrintWriter pw = new PrintWriter(outputStream, true); pw.println(this.message); BufferedReader output1 = new BufferedReader( new InputStreamReader(inputStream)); System.out.println("EchoClient> " + output1.readLine()); System.out.println("EchoClient> " + output1.readLine()); log.info("Success to send message:" + message); } else { System.out .println("EchoClient> " + "Error! Not connected! Using command \"help\" to get help!"); log.warn("Send message failed! Have not connected to the echo server!"); } break; case 3: if (!socket.isClosed()) { System.out.println("EchoClient> " + "Connection terminated:" + socket.getInetAddress() + "/" + socket.getPort()); this.inputStream.close(); this.outputStream.close(); this.socket.close(); log.info("Disconnect with echo server!"); } else { System.out .println("EchoClient> " + "Error! Not connected! Using command \"help\" to get help!"); log.warn("Disconnect failed! Have not connected to the echo server!"); } break; case 4: System.out.println("EchoClient> " + "Application exit!"); if (!socket.isClosed()) { this.inputStream.close(); this.outputStream.close(); this.socket.close(); log.info("Quit Application!"); } System.exit(-1); break; case 5: System.out .println("EchoClient> " + "Error command! Using command \"help\" to get help!"); log.warn("Error command!" + ori_command); break; case 6: System.out.println("EchoClient> " + "Connect Command: connect 'ip' 'port'"); System.out.println(" " + "Send Command: send 'message'"); System.out.println(" " + "Disconnect Command: disconnect"); System.out.println(" " + "Quit Command: quit"); log.info("Get help!"); break; default: log.warn("What happened?"); break; } } } catch (IOException e) { e.printStackTrace(); log.error(e.getMessage()); } } private int readCommand() { this.br = new BufferedReader(new InputStreamReader(System.in)); try { ori_command = br.readLine(); String temp[] = ori_command.split(" "); if (temp[0].equalsIgnoreCase("connect")) { if (temp.length > 2) { this.ipAddress = temp[1].toString(); this.port = Integer.valueOf(temp[2].toString()); return CONNECT_COMMAND; } } else if (temp[0].equalsIgnoreCase("send")) { this.message = ori_command.substring(5); return SEND_COMMAND; } else if (temp[0].equalsIgnoreCase("disconnect")) { return DISCONNECT_COMMAND; } else if (temp[0].equalsIgnoreCase("quit")) { return QUIT_COMMAND; } else if (temp[0].equalsIgnoreCase("help")) { return HELP_COMMAND; } else { return ERROR_COMMAND; } } catch (IOException e) { e.printStackTrace(); log.error(e.getMessage()); return ERROR_COMMAND; } return ERROR_COMMAND; } }
6a517345952233aceb067e26d9c45dd0c0bd7bde
cd25c7fdfa9cb94c794e799059a0676e3a115f8e
/main/java/com/hht/不规则的多维数组.java
3bbe7028c72b68d6507223ba46856bbce3bcbd05
[ "BSD-2-Clause" ]
permissive
wudahht/Reading_Note
65abe12e03df570b08959ac4bcab64607aedabea
fdf035843789f403427e9dd1cd3523963ad30629
refs/heads/master
2020-03-27T00:49:50.017888
2018-08-28T08:50:38
2018-08-28T08:50:38
145,660,602
0
0
null
null
null
null
UTF-8
Java
false
false
538
java
package com.hht; public class 不规则的多维数组 { public static void main(String args[]){ int month_days[][] = new int[4][5]; int k = 0; for (int i = 0; i < 4; i++) { for (int j = 0; j < i+1; j++) { month_days[i][j] = k; k ++; } } for (int i = 0; i < 4; i++) { for (int j = 0; j < i+1; j++) { System.out.print(month_days[i][j]+" "); } System.out.println(); } } }
fdedeb44576c206ee1d53155706f348ae03abcf4
4bf323bfd0e9899e998538328f756f974d7041a9
/src/pattern/factory/staticFactory/MailSender.java
fbf41b21bcf75c884afd3a52ab9a5f4c53a4b254
[]
no_license
zoujunjie1216/practices
6c179a8b0241157e25de93ad9d5f6727e2a9497d
5be83188d9d87c10a5bab8c0fa1369fdc0482f77
refs/heads/main
2023-06-19T15:16:32.183765
2021-07-12T15:32:59
2021-07-12T15:32:59
385,292,434
0
0
null
null
null
null
UTF-8
Java
false
false
176
java
package pattern.factory.staticFactory; public class MailSender implements Sender { @Override public void send() { System.out.println("mail发件人"); } }
5273478a5ba3dec7db15cb2f87b0eef2ae843343
cc96f98026ff06509175c0001b23709208b14ff6
/Bind_Project/src/main/java/TaskEvent.java
561199e368695ce97edfc0267a47f187b536f73c
[]
no_license
SaphoLfaire/imagejTraining
e20cdb21ad7649aa4be42becf6f9136c10081016
8f4931cc9423698770ce9939f4d68012b805cd43
refs/heads/master
2021-01-20T10:28:54.036814
2017-07-03T08:56:26
2017-07-03T08:56:26
90,356,138
1
0
null
null
null
null
UTF-8
Java
false
false
503
java
import javafx.concurrent.Task; import org.scijava.event.SciJavaEvent; /* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ /** * * @author sapho */ public class TaskEvent extends SciJavaEvent{ private final Task task; public TaskEvent(Task task) { this.task = task; } public Task getTask(){ return this.task; } }
5fccf0175b76976ceedba109a22deeefce59d6ef
c885ef92397be9d54b87741f01557f61d3f794f3
/tests-without-trycatch/Time-5/org.joda.time.Period/BBC-F0-opt-30/20/org/joda/time/Period_ESTest.java
fafd25b7ca2391ae0f49498dea8e10d1c24e6859
[ "CC-BY-4.0", "MIT" ]
permissive
pderakhshanfar/EMSE-BBC-experiment
f60ac5f7664dd9a85f755a00a57ec12c7551e8c6
fea1a92c2e7ba7080b8529e2052259c9b697bbda
refs/heads/main
2022-11-25T00:39:58.983828
2022-04-12T16:04:26
2022-04-12T16:04:26
309,335,889
0
1
null
2021-11-05T11:18:43
2020-11-02T10:30:38
null
UTF-8
Java
false
false
108,328
java
/* * This file was automatically generated by EvoSuite * Thu Oct 21 22:34:33 GMT 2021 */ package org.joda.time; import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.evosuite.runtime.mock.java.util.MockDate; import org.evosuite.runtime.mock.java.util.MockGregorianCalendar; import org.evosuite.runtime.testdata.EvoSuiteFile; import org.joda.time.Chronology; import org.joda.time.DateTime; import org.joda.time.DateTimeFieldType; import org.joda.time.DateTimeZone; import org.joda.time.Days; import org.joda.time.Duration; import org.joda.time.DurationFieldType; import org.joda.time.Hours; import org.joda.time.Instant; import org.joda.time.Interval; import org.joda.time.LocalDate; import org.joda.time.LocalDateTime; import org.joda.time.LocalTime; import org.joda.time.Minutes; import org.joda.time.MonthDay; import org.joda.time.Months; import org.joda.time.MutableDateTime; import org.joda.time.MutablePeriod; import org.joda.time.Partial; import org.joda.time.Period; import org.joda.time.PeriodType; import org.joda.time.ReadableDuration; import org.joda.time.ReadableInstant; import org.joda.time.ReadablePartial; import org.joda.time.ReadablePeriod; import org.joda.time.Seconds; import org.joda.time.Weeks; import org.joda.time.YearMonth; import org.joda.time.Years; import org.joda.time.chrono.BuddhistChronology; import org.joda.time.chrono.EthiopicChronology; import org.joda.time.chrono.GJChronology; import org.joda.time.chrono.GregorianChronology; import org.joda.time.chrono.ISOChronology; import org.joda.time.chrono.IslamicChronology; import org.joda.time.chrono.JulianChronology; import org.joda.time.chrono.LenientChronology; import org.joda.time.format.DateTimeFormatter; import org.joda.time.format.DateTimeParser; import org.joda.time.format.DateTimePrinter; import org.joda.time.format.ISOPeriodFormat; import org.joda.time.format.PeriodFormatter; import org.joda.time.format.PeriodParser; import org.joda.time.format.PeriodPrinter; import org.joda.time.tz.FixedDateTimeZone; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true) public class Period_ESTest extends Period_ESTest_scaffolding { @Test(timeout = 4000) public void test000() throws Throwable { PeriodType periodType0 = PeriodType.yearWeekDayTime(); Period period0 = Period.months(2719); // Undeclared exception! // try { period0.normalizedStandard(periodType0); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test001() throws Throwable { Period period0 = Period.years((-1409)); Period period1 = period0.normalizedStandard((PeriodType) null); assertTrue(period1.equals((Object)period0)); } @Test(timeout = 4000) public void test002() throws Throwable { Period period0 = Period.millis(1871); Seconds seconds0 = Seconds.MAX_VALUE; Weeks weeks0 = seconds0.toStandardWeeks(); Period period1 = period0.plus(weeks0); Duration duration0 = period1.toStandardDuration(); assertEquals(2147040001871L, duration0.getMillis()); } @Test(timeout = 4000) public void test003() throws Throwable { Duration duration0 = Duration.standardMinutes((-1701L)); Period period0 = duration0.toPeriod((PeriodType) null); Duration duration1 = period0.toStandardDuration(); assertEquals((-102060000L), duration1.getMillis()); } @Test(timeout = 4000) public void test004() throws Throwable { Period period0 = Period.millis(1871); Seconds seconds0 = period0.toStandardSeconds(); assertEquals(1, seconds0.getSeconds()); } @Test(timeout = 4000) public void test005() throws Throwable { Period period0 = Period.seconds(6); Minutes minutes0 = period0.toStandardMinutes(); assertEquals(0, minutes0.getMinutes()); } @Test(timeout = 4000) public void test006() throws Throwable { Period period0 = new Period(0, (-3130), (-3130), (-1584)); Hours hours0 = period0.toStandardHours(); assertEquals((-53), hours0.getHours()); } @Test(timeout = 4000) public void test007() throws Throwable { Period period0 = Period.seconds(6); Days days0 = period0.toStandardDays(); assertEquals(0, days0.getDays()); } @Test(timeout = 4000) public void test008() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.withMinutes(52); Weeks weeks0 = period1.toStandardWeeks(); assertEquals(0, weeks0.getWeeks()); } @Test(timeout = 4000) public void test009() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.minusSeconds(1871); Weeks weeks0 = period1.toStandardWeeks(); assertEquals(0, weeks0.getWeeks()); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test010() throws Throwable { LocalDate localDate0 = new LocalDate(); YearMonth yearMonth0 = YearMonth.now(); // Undeclared exception! // try { Period.fieldDifference(localDate0, yearMonth0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must have the same set of fields // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test011() throws Throwable { Period period0 = new Period((Object) null); } @Test(timeout = 4000) public void test012() throws Throwable { PeriodType periodType0 = PeriodType.yearMonthDay(); GJChronology gJChronology0 = GJChronology.getInstance((DateTimeZone) null); Period period0 = new Period(1000000000000000000L, 1000000000000000000L, periodType0, gJChronology0); } @Test(timeout = 4000) public void test013() throws Throwable { Duration duration0 = Duration.standardMinutes(2078L); PeriodType periodType0 = PeriodType.yearWeekDay(); Period period0 = duration0.toPeriodTo((ReadableInstant) null, periodType0); Weeks weeks0 = Weeks.MAX_VALUE; DurationFieldType durationFieldType0 = weeks0.getFieldType(); Period period1 = period0.withFieldAdded(durationFieldType0, (-819)); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test014() throws Throwable { Period period0 = new Period(); Period period1 = period0.withWeeks(2032); assertNotSame(period0, period1); } @Test(timeout = 4000) public void test015() throws Throwable { Days days0 = Days.FOUR; Period period0 = days0.toPeriod(); Period period1 = period0.plusWeeks(40); Weeks weeks0 = period1.toStandardWeeks(); assertEquals(40, weeks0.getWeeks()); } @Test(timeout = 4000) public void test016() throws Throwable { Period period0 = Period.hours(1871); Period period1 = period0.multipliedBy((-4932)); Weeks weeks0 = period1.toStandardWeeks(); assertEquals((-54927), weeks0.getWeeks()); } @Test(timeout = 4000) public void test017() throws Throwable { Period period0 = new Period(); Seconds seconds0 = period0.toStandardSeconds(); assertEquals(0, seconds0.getSeconds()); } @Test(timeout = 4000) public void test018() throws Throwable { Days days0 = Days.SEVEN; Period period0 = days0.toPeriod(); Seconds seconds0 = period0.toStandardSeconds(); assertEquals(604800, seconds0.getSeconds()); } @Test(timeout = 4000) public void test019() throws Throwable { Duration duration0 = Duration.standardMinutes((-1701L)); Period period0 = duration0.toPeriod((PeriodType) null); Seconds seconds0 = period0.toStandardSeconds(); assertEquals((-102060), seconds0.getSeconds()); } @Test(timeout = 4000) public void test020() throws Throwable { Duration duration0 = Duration.standardMinutes((-1701L)); Period period0 = duration0.toPeriod((PeriodType) null); Minutes minutes0 = period0.toStandardMinutes(); assertEquals((-1701), minutes0.getMinutes()); } @Test(timeout = 4000) public void test021() throws Throwable { Period period0 = new Period(); Period period1 = period0.minusMinutes(510); Period period2 = period0.minus(period1); Hours hours0 = period2.toStandardHours(); assertEquals(8, hours0.getHours()); } @Test(timeout = 4000) public void test022() throws Throwable { Period period0 = Period.weeks((-2960)); Hours hours0 = period0.toStandardHours(); assertEquals((-497280), hours0.getHours()); } @Test(timeout = 4000) public void test023() throws Throwable { Period period0 = Period.seconds(435); Duration duration0 = period0.toStandardDuration(); assertEquals(435000L, duration0.getMillis()); } @Test(timeout = 4000) public void test024() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.withMinutes(1871); Days days0 = period1.toStandardDays(); assertEquals(1, days0.getDays()); } @Test(timeout = 4000) public void test025() throws Throwable { Period period0 = Period.years(0); Period period1 = period0.minusHours(3124); Days days0 = period1.toStandardDays(); assertEquals((-130), days0.getDays()); } @Test(timeout = 4000) public void test026() throws Throwable { PeriodPrinter periodPrinter0 = mock(PeriodPrinter.class, new ViolatedAssumptionAnswer()); PeriodParser periodParser0 = mock(PeriodParser.class, new ViolatedAssumptionAnswer()); doReturn(0).when(periodParser0).parseInto(any(org.joda.time.ReadWritablePeriod.class) , anyString() , anyInt() , any(java.util.Locale.class)); PeriodFormatter periodFormatter0 = new PeriodFormatter(periodPrinter0, periodParser0); Period period0 = Period.parse("", periodFormatter0); assertNotNull(period0); } @Test(timeout = 4000) public void test027() throws Throwable { Period period0 = Period.parse("PT1.871S"); assertNotNull(period0); } @Test(timeout = 4000) public void test028() throws Throwable { Period period0 = Period.millis(52); PeriodType.WEEK_INDEX = 0; Period period1 = period0.plusWeeks(52); int int0 = period1.getYears(); assertEquals(52, int0); } @Test(timeout = 4000) public void test029() throws Throwable { Period period0 = Period.seconds(435); Period period1 = period0.minusYears(435); int int0 = period1.getYears(); assertEquals((-435), int0); } @Test(timeout = 4000) public void test030() throws Throwable { Period period0 = Period.weeks(86399999); int int0 = period0.getWeeks(); assertEquals(86399999, int0); } @Test(timeout = 4000) public void test031() throws Throwable { Period period0 = Period.weeks((-1396)); int int0 = period0.getWeeks(); assertEquals((-1396), int0); } @Test(timeout = 4000) public void test032() throws Throwable { Duration duration0 = new Duration(10000000L); IslamicChronology islamicChronology0 = IslamicChronology.getInstance((DateTimeZone) null); LenientChronology lenientChronology0 = LenientChronology.getInstance(islamicChronology0); Period period0 = duration0.toPeriod((Chronology) lenientChronology0); int int0 = period0.getSeconds(); assertEquals(40, int0); } @Test(timeout = 4000) public void test033() throws Throwable { Period period0 = new Period((-963L)); DurationFieldType durationFieldType0 = DurationFieldType.seconds(); Period period1 = period0.withField(durationFieldType0, (-392)); int int0 = period1.getSeconds(); assertEquals((-392), int0); } @Test(timeout = 4000) public void test034() throws Throwable { Period period0 = Period.months(23); int int0 = period0.getMonths(); assertEquals(23, int0); } @Test(timeout = 4000) public void test035() throws Throwable { Period period0 = new Period(31083597720000L, 0); int int0 = period0.getMonths(); assertEquals((-11), int0); } @Test(timeout = 4000) public void test036() throws Throwable { Period period0 = new Period(2, 2, 2, 290); int int0 = period0.getMinutes(); assertEquals(2, int0); } @Test(timeout = 4000) public void test037() throws Throwable { Duration duration0 = Duration.standardMinutes((-1701L)); Period period0 = duration0.toPeriod(); int int0 = period0.getMinutes(); assertEquals((-21), int0); } @Test(timeout = 4000) public void test038() throws Throwable { Period period0 = Period.millis(1871); int int0 = period0.getMillis(); assertEquals(1871, int0); } @Test(timeout = 4000) public void test039() throws Throwable { Period period0 = Period.millis((-132)); int int0 = period0.getMillis(); assertEquals((-132), int0); } @Test(timeout = 4000) public void test040() throws Throwable { Days days0 = Days.SEVEN; Period period0 = days0.toPeriod(); int int0 = period0.getHours(); assertEquals(0, int0); } @Test(timeout = 4000) public void test041() throws Throwable { Period period0 = Period.hours(3001); int int0 = period0.getHours(); assertEquals(3001, int0); } @Test(timeout = 4000) public void test042() throws Throwable { Period period0 = Period.days(0); int int0 = period0.getDays(); assertEquals(0, int0); } @Test(timeout = 4000) public void test043() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.withDays(1871); int int0 = period1.getDays(); assertEquals(1871, int0); } @Test(timeout = 4000) public void test044() throws Throwable { Period period0 = Period.seconds((-463)); PeriodType.YEAR_INDEX = (-463); // Undeclared exception! // try { period0.withYears((-1850)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -463 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test045() throws Throwable { Duration duration0 = Duration.standardSeconds((-1328L)); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[3]; Seconds seconds0 = Seconds.MAX_VALUE; DurationFieldType durationFieldType0 = seconds0.getFieldType(); durationFieldTypeArray0[0] = durationFieldType0; durationFieldTypeArray0[1] = durationFieldTypeArray0[0]; durationFieldTypeArray0[2] = durationFieldType0; PeriodType periodType0 = new PeriodType("D", durationFieldTypeArray0, (int[]) null); Period period0 = duration0.toPeriod(periodType0); // Undeclared exception! // try { period0.withWeeks((-1587)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test046() throws Throwable { YearMonth yearMonth0 = new YearMonth(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); PeriodType.WEEK_INDEX = (-1939); // Undeclared exception! // try { period0.withWeeks(1); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -1939 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test047() throws Throwable { PeriodType periodType0 = PeriodType.yearMonthDay(); Period period0 = new Period(0L, periodType0); // Undeclared exception! // try { period0.withSeconds((-1707)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test048() throws Throwable { Period period0 = new Period(); PeriodType.SECOND_INDEX = (-352831696); // Undeclared exception! // try { period0.withSeconds((-352831696)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -352831696 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test049() throws Throwable { Period period0 = new Period(); PeriodType periodType0 = new PeriodType((String) null, (DurationFieldType[]) null, (int[]) null); // Undeclared exception! // try { period0.withPeriodType(periodType0); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test050() throws Throwable { Period period0 = Period.millis(1); Months months0 = Months.TWO; PeriodType periodType0 = months0.getPeriodType(); // Undeclared exception! // try { period0.withPeriodType(periodType0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Period does not support field 'millis' // // // verifyException("org.joda.time.base.BasePeriod", e); // } } @Test(timeout = 4000) public void test051() throws Throwable { Period period0 = Period.millis(1871); PeriodType periodType0 = PeriodType.yearWeekDayTime(); Period period1 = period0.normalizedStandard(periodType0); // Undeclared exception! // try { period1.withMonths(566); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test052() throws Throwable { DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[8]; PeriodType periodType0 = new PeriodType("Dh`}*O\"x55E", durationFieldTypeArray0, (int[]) null); Period period0 = new Period(0L, periodType0); // Undeclared exception! // try { period0.withMonths((-2416)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test053() throws Throwable { Period period0 = new Period(); PeriodType.MONTH_INDEX = (-3369); // Undeclared exception! // try { period0.withMonths((-1363)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -3369 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test054() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.withMinutes(1); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test055() throws Throwable { DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[4]; Years years0 = Years.TWO; DurationFieldType durationFieldType0 = years0.getFieldType(); durationFieldTypeArray0[0] = durationFieldType0; durationFieldTypeArray0[1] = durationFieldType0; durationFieldTypeArray0[2] = durationFieldTypeArray0[0]; durationFieldTypeArray0[3] = durationFieldTypeArray0[1]; PeriodType periodType0 = new PeriodType((String) null, durationFieldTypeArray0, (int[]) null); Period period0 = new Period(0L, 1073741823L, periodType0); // Undeclared exception! // try { period0.withMinutes((-743)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test056() throws Throwable { Period period0 = new Period(); PeriodType.MINUTE_INDEX = (-1828); // Undeclared exception! // try { period0.withMinutes(1386); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -1828 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test057() throws Throwable { BuddhistChronology buddhistChronology0 = BuddhistChronology.getInstanceUTC(); LocalDate localDate0 = new LocalDate((Chronology) buddhistChronology0); DateTime dateTime0 = localDate0.toDateTimeAtStartOfDay(); Seconds seconds0 = Seconds.MIN_VALUE; Hours hours0 = seconds0.toStandardHours(); Minutes minutes0 = hours0.toStandardMinutes(); Duration duration0 = minutes0.toStandardDuration(); PeriodType periodType0 = PeriodType.weeks(); Period period0 = new Period(dateTime0, duration0, periodType0); // Undeclared exception! // try { period0.withMillis(1); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test058() throws Throwable { EthiopicChronology ethiopicChronology0 = EthiopicChronology.getInstance(); Period period0 = new Period(604800000L, (Chronology) ethiopicChronology0); PeriodType.MILLI_INDEX = 1024; // Undeclared exception! // try { period0.withMillis(1024); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 1024 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test059() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.withHours((-395)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test060() throws Throwable { Period period0 = new Period(); PeriodType.HOUR_INDEX = (-1490); // Undeclared exception! // try { period0.withHours((-420)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -1490 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test061() throws Throwable { PeriodType periodType0 = PeriodType.years(); Period period0 = new Period(0L, periodType0); Period period1 = new Period((-1086), 3267, 3267, 3267, 1365, (-1086), 31, (-1620)); // Undeclared exception! // try { period0.withFields(period1); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Period does not support field 'months' // // // verifyException("org.joda.time.base.BasePeriod", e); // } } @Test(timeout = 4000) public void test062() throws Throwable { Duration duration0 = new Duration(529L, 529L); DateTime dateTime0 = new DateTime(529L); Weeks weeks0 = Weeks.THREE; PeriodType periodType0 = weeks0.getPeriodType(); Period period0 = duration0.toPeriodTo((ReadableInstant) dateTime0, periodType0); // Undeclared exception! // try { period0.withDays(1000); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test063() throws Throwable { Duration duration0 = Duration.standardSeconds(0L); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[6]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period0 = new Period((ReadableInstant) null, duration0, periodType0); // Undeclared exception! // try { period0.withDays(0); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test064() throws Throwable { Period period0 = Period.millis(1871); PeriodType.DAY_INDEX = 1871; // Undeclared exception! // try { period0.withDays(1871); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 1871 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test065() throws Throwable { Period period0 = Period.years(0); Period period1 = period0.plusMonths(910); // Undeclared exception! // try { period1.toStandardWeeks(); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Cannot convert to Weeks as this period contains months and months vary in length // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test066() throws Throwable { YearMonth yearMonth0 = new YearMonth(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[2]; PeriodType periodType0 = new PeriodType("*'^,<", durationFieldTypeArray0, (int[]) null); Period period1 = period0.withPeriodType(periodType0); // Undeclared exception! // try { period1.toStandardWeeks(); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test067() throws Throwable { Period period0 = new Period(); PeriodType.MINUTE_INDEX = (-595); // Undeclared exception! // try { period0.toStandardSeconds(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test068() throws Throwable { Period period0 = Period.ZERO; Period period1 = period0.plusWeeks((-4136)); Period period2 = period1.multipliedBy(2888); // Undeclared exception! // try { period2.toStandardSeconds(); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: -7224195686400 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test069() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.plusYears(192); // Undeclared exception! // try { period1.toStandardMinutes(); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Cannot convert to Minutes as this period contains years and years vary in length // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test070() throws Throwable { Days days0 = Days.FOUR; Period period0 = days0.toPeriod(); PeriodType.SECOND_INDEX = (-631); // Undeclared exception! // try { period0.toStandardMinutes(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test071() throws Throwable { Period period0 = Period.weeks(86399999); // Undeclared exception! // try { period0.toStandardMinutes(); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 870911989920 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test072() throws Throwable { Period period0 = Period.years(215); // Undeclared exception! // try { period0.toStandardHours(); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Cannot convert to Hours as this period contains years and years vary in length // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test073() throws Throwable { DateTimeParser dateTimeParser0 = mock(DateTimeParser.class, new ViolatedAssumptionAnswer()); doReturn(0).when(dateTimeParser0).parseInto(any(org.joda.time.format.DateTimeParserBucket.class) , anyString() , anyInt()); DateTimeFormatter dateTimeFormatter0 = new DateTimeFormatter((DateTimePrinter) null, dateTimeParser0); DateTime dateTime0 = dateTimeFormatter0.parseDateTime(""); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[7]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period0 = new Period((ReadableDuration) null, dateTime0, periodType0); // Undeclared exception! // try { period0.toStandardHours(); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test074() throws Throwable { Period period0 = Period.millis(1871); PeriodType.YEAR_INDEX = 2097; // Undeclared exception! // try { period0.toStandardHours(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test075() throws Throwable { Days days0 = Days.MAX_VALUE; Period period0 = days0.toPeriod(); // Undeclared exception! // try { period0.toStandardHours(); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 51539607528 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test076() throws Throwable { Period period0 = Period.years((-1623)); // Undeclared exception! // try { period0.toStandardDuration(); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Cannot convert to Duration as this period contains years and years vary in length // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test077() throws Throwable { Period period0 = new Period(); PeriodType.MONTH_INDEX = 85; // Undeclared exception! // try { period0.toStandardDuration(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test078() throws Throwable { Period period0 = Period.millis(2395); PeriodType.SECOND_INDEX = 384; // Undeclared exception! // try { period0.toStandardDays(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test079() throws Throwable { Period period0 = Period.weeks(317351877); // Undeclared exception! // try { period0.toStandardDays(); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 2221463139 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test080() throws Throwable { DateTimeZone dateTimeZone0 = DateTimeZone.forOffsetMillis((-1185)); GJChronology gJChronology0 = GJChronology.getInstance(dateTimeZone0); MonthDay monthDay0 = new MonthDay(0L, (Chronology) gJChronology0); Period period0 = Period.fieldDifference(monthDay0, monthDay0); // Undeclared exception! // try { period0.plusYears(1); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test081() throws Throwable { Period period0 = Period.millis(1871); PeriodType.YEAR_INDEX = 1871; // Undeclared exception! // try { period0.plusYears(2); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 1871 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test082() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.plusWeeks((-1929)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test083() throws Throwable { PeriodType periodType0 = PeriodType.yearMonthDayTime(); PeriodType.WEEK_INDEX = (-1068); Period period0 = new Period(0L, periodType0); // Undeclared exception! // try { period0.ZERO.plusWeeks((-1068)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -1068 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test084() throws Throwable { Period period0 = Period.ZERO; Weeks weeks0 = Weeks.MAX_VALUE; Period period1 = period0.withFields(weeks0); // Undeclared exception! // try { period1.plusWeeks(7); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: 2147483647 + 7 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test085() throws Throwable { DateTimeParser dateTimeParser0 = mock(DateTimeParser.class, new ViolatedAssumptionAnswer()); doReturn(7).when(dateTimeParser0).parseInto(any(org.joda.time.format.DateTimeParserBucket.class) , anyString() , anyInt()); DateTimeFormatter dateTimeFormatter0 = new DateTimeFormatter((DateTimePrinter) null, dateTimeParser0); DateTime dateTime0 = dateTimeFormatter0.parseDateTime(""); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[7]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period0 = new Period((ReadableDuration) null, dateTime0, periodType0); // Undeclared exception! // try { period0.plusSeconds(23034375); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test086() throws Throwable { Period period0 = new Period(442L); PeriodType.SECOND_INDEX = (-2117); // Undeclared exception! // try { period0.plusSeconds((-2117)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -2117 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test087() throws Throwable { Duration duration0 = Duration.standardMinutes(0); PeriodType periodType0 = PeriodType.minutes(); GregorianChronology gregorianChronology0 = GregorianChronology.getInstanceUTC(); Period period0 = duration0.toPeriod(periodType0, (Chronology) gregorianChronology0); // Undeclared exception! // try { period0.plusMonths(83); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test088() throws Throwable { Period period0 = new Period(0L, (Chronology) null); PeriodType.MONTH_INDEX = 2699; // Undeclared exception! // try { period0.plusMonths(2699); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 2699 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test089() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.plusMinutes(5); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test090() throws Throwable { Period period0 = new Period(9, 9, (-491), 3557, (-1203), (-491), 9, 9); PeriodType.MINUTE_INDEX = (-491); // Undeclared exception! // try { period0.plusMinutes((-491)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -491 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test091() throws Throwable { Period period0 = Period.millis(1); PeriodType periodType0 = PeriodType.days(); Period period1 = period0.normalizedStandard(periodType0); // Undeclared exception! // try { period1.plusMillis(1); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test092() throws Throwable { Duration duration0 = Duration.standardSeconds(0L); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[6]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period0 = new Period((ReadableInstant) null, duration0, periodType0); // Undeclared exception! // try { period0.plusMillis((-2795)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test093() throws Throwable { Period period0 = Period.ZERO; PeriodType.MILLI_INDEX = 1000; // Undeclared exception! // try { period0.plusMillis(2); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 1000 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test094() throws Throwable { Weeks weeks0 = Weeks.THREE; Duration duration0 = weeks0.toStandardDuration(); PeriodType periodType0 = PeriodType.days(); Period period0 = duration0.toPeriod(periodType0); // Undeclared exception! // try { period0.plusHours(8); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test095() throws Throwable { DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[4]; PeriodType periodType0 = new PeriodType((String) null, durationFieldTypeArray0, (int[]) null); Period period0 = new Period(0L, 0L, periodType0); // Undeclared exception! // try { period0.plusHours(4); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test096() throws Throwable { Period period0 = new Period(); PeriodType.HOUR_INDEX = 632; // Undeclared exception! // try { period0.plusHours(714); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 632 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test097() throws Throwable { PeriodType periodType0 = PeriodType.time(); Period period0 = new Period((-4277L), (-4277L), periodType0); // Undeclared exception! // try { period0.plusDays((-25650000)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test098() throws Throwable { Period period0 = new Period(); PeriodType.DAY_INDEX = 8; // Undeclared exception! // try { period0.plusDays(765); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 8 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test099() throws Throwable { Days days0 = Days.MAX_VALUE; Period period0 = days0.toPeriod(); // Undeclared exception! // try { period0.plusDays(3209); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: 2147483647 + 3209 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test100() throws Throwable { Days days0 = Days.TWO; YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.plus(days0); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test101() throws Throwable { Period period0 = new Period(121, (-649), 121, (-513), 121, (-649), (-371), 3); PeriodType.HOUR_INDEX = 4927; // Undeclared exception! // try { period0.ZERO.plus(period0); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 4927 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test102() throws Throwable { PeriodFormatter periodFormatter0 = new PeriodFormatter((PeriodPrinter) null, (PeriodParser) null); // Undeclared exception! // try { Period.parse("AT3o", periodFormatter0); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Parsing not supported // // // verifyException("org.joda.time.format.PeriodFormatter", e); // } } @Test(timeout = 4000) public void test103() throws Throwable { // Undeclared exception! // try { Period.parse("f}G%", (PeriodFormatter) null); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test104() throws Throwable { PeriodFormatter periodFormatter0 = ISOPeriodFormat.standard(); // Undeclared exception! // try { Period.parse("America/New_York", periodFormatter0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Invalid format: \"America/New_York\" // // // verifyException("org.joda.time.format.PeriodFormatter", e); // } } @Test(timeout = 4000) public void test105() throws Throwable { // Undeclared exception! // try { Period.parse((String) null); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.format.PeriodFormatterBuilder$Literal", e); // } } @Test(timeout = 4000) public void test106() throws Throwable { Period period0 = new Period(); PeriodType periodType0 = new PeriodType((String) null, (DurationFieldType[]) null, (int[]) null); // Undeclared exception! // try { period0.normalizedStandard(periodType0); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test107() throws Throwable { Period period0 = Period.days(5); PeriodType.SECOND_INDEX = (-1027); Hours hours0 = Hours.SIX; PeriodType periodType0 = hours0.getPeriodType(); // Undeclared exception! // try { period0.normalizedStandard(periodType0); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test108() throws Throwable { Period period0 = Period.hours(5588); PeriodType periodType0 = PeriodType.millis(); // Undeclared exception! // try { period0.normalizedStandard(periodType0); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 20116800000 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test109() throws Throwable { Minutes minutes0 = Minutes.ONE; Weeks weeks0 = minutes0.toStandardWeeks(); Duration duration0 = weeks0.toStandardDuration(); ISOChronology iSOChronology0 = ISOChronology.getInstanceUTC(); Period period0 = duration0.toPeriod((Chronology) iSOChronology0); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[9]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period1 = period0.withPeriodType(periodType0); // Undeclared exception! // try { period1.normalizedStandard(); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test110() throws Throwable { Period period0 = Period.millis(3219); PeriodType.WEEK_INDEX = 240; // Undeclared exception! // try { period0.normalizedStandard(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test111() throws Throwable { Days days0 = Days.MIN_VALUE; Period period0 = days0.toPeriod(); // Undeclared exception! // try { period0.negated(); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Multiplication overflows an int: -2147483648 * -1 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test112() throws Throwable { Period period0 = Period.years(20503125); // Undeclared exception! // try { period0.multipliedBy(512); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Multiplication overflows an int: 20503125 * 512 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test113() throws Throwable { Period period0 = new Period(); PeriodType.YEAR_INDEX = 22; // Undeclared exception! // try { period0.minusYears(29); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 22 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test114() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = new Period(yearMonth0, yearMonth0, (PeriodType) null); Years years0 = Years.MIN_VALUE; Period period1 = period0.minus(years0); // Undeclared exception! // try { period1.minusYears(568); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -2147483648 + -568 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test115() throws Throwable { DateTimePrinter dateTimePrinter0 = mock(DateTimePrinter.class, new ViolatedAssumptionAnswer()); DateTimeParser dateTimeParser0 = mock(DateTimeParser.class, new ViolatedAssumptionAnswer()); doReturn(0).when(dateTimeParser0).parseInto(any(org.joda.time.format.DateTimeParserBucket.class) , anyString() , anyInt()); DateTimeFormatter dateTimeFormatter0 = new DateTimeFormatter(dateTimePrinter0, dateTimeParser0); LocalDateTime localDateTime0 = LocalDateTime.parse("", dateTimeFormatter0); Months months0 = Months.TEN; PeriodType periodType0 = months0.getPeriodType(); Period period0 = new Period(localDateTime0, localDateTime0, periodType0); // Undeclared exception! // try { period0.minusWeeks(602); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test116() throws Throwable { Period period0 = Period.years(1927); PeriodType.WEEK_INDEX = (-1857); // Undeclared exception! // try { period0.minusWeeks(2822); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -1857 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test117() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.minusSeconds((-1228)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test118() throws Throwable { Minutes minutes0 = Minutes.ONE; Weeks weeks0 = minutes0.toStandardWeeks(); Duration duration0 = weeks0.toStandardDuration(); ISOChronology iSOChronology0 = ISOChronology.getInstanceUTC(); Period period0 = duration0.toPeriod((Chronology) iSOChronology0); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[9]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period1 = period0.withPeriodType(periodType0); // Undeclared exception! // try { period1.minusSeconds((-1519)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test119() throws Throwable { Period period0 = Period.millis((-2170)); PeriodType.SECOND_INDEX = (-2170); // Undeclared exception! // try { period0.minusSeconds((-2227)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -2170 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test120() throws Throwable { Period period0 = Period.days(5); Seconds seconds0 = Seconds.MAX_VALUE; Period period1 = period0.minus(seconds0); // Undeclared exception! // try { period1.minusSeconds(5); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -2147483647 + -5 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test121() throws Throwable { Duration duration0 = Duration.standardMinutes(2078L); PeriodType periodType0 = PeriodType.yearWeekDay(); Period period0 = duration0.toPeriodTo((ReadableInstant) null, periodType0); // Undeclared exception! // try { period0.minusMonths(112); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test122() throws Throwable { DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[3]; DurationFieldType durationFieldType0 = DurationFieldType.seconds(); durationFieldTypeArray0[0] = durationFieldType0; durationFieldTypeArray0[1] = durationFieldType0; durationFieldTypeArray0[2] = durationFieldTypeArray0[0]; int[] intArray0 = new int[3]; intArray0[1] = 3; PeriodType periodType0 = new PeriodType("Wz&5", durationFieldTypeArray0, intArray0); Period period0 = new Period(24L, 0L, periodType0); // Undeclared exception! // try { period0.minusMonths(4475); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 3 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test123() throws Throwable { Duration duration0 = Duration.standardSeconds(0L); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[6]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period0 = new Period((ReadableInstant) null, duration0, periodType0); // Undeclared exception! // try { period0.minusMinutes((-2795)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test124() throws Throwable { PeriodType.MINUTE_INDEX = (-1409); Period period0 = new Period((-1086), 3267, 3267, 3267, 1365, (-1086), 31, (-1620)); // Undeclared exception! // try { period0.minusMinutes(418); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // -1409 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test125() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.minusMillis(1916); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test126() throws Throwable { DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[6]; Months months0 = Months.ONE; DurationFieldType durationFieldType0 = months0.getFieldType(); durationFieldTypeArray0[0] = durationFieldType0; durationFieldTypeArray0[1] = durationFieldTypeArray0[0]; durationFieldTypeArray0[2] = durationFieldTypeArray0[0]; durationFieldTypeArray0[3] = durationFieldType0; durationFieldTypeArray0[4] = durationFieldTypeArray0[3]; durationFieldTypeArray0[5] = durationFieldType0; int[] intArray0 = new int[0]; PeriodType periodType0 = new PeriodType("Cannot convert to ", durationFieldTypeArray0, intArray0); Period period0 = new Period(31557600000L, periodType0); // Undeclared exception! // try { period0.minusMillis(8); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 7 // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test127() throws Throwable { Duration duration0 = Duration.standardSeconds(0L); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[6]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period0 = new Period((ReadableInstant) null, duration0, periodType0); // Undeclared exception! // try { period0.minusHours((-121)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test128() throws Throwable { Period period0 = new Period(); PeriodType.HOUR_INDEX = (-1490); // Undeclared exception! // try { period0.minusHours((-420)); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test129() throws Throwable { Period period0 = Period.hours(Integer.MIN_VALUE); // Undeclared exception! // try { period0.minusHours(Integer.MIN_VALUE); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -2147483648 + -2147483648 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test130() throws Throwable { YearMonth yearMonth0 = new YearMonth(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.minusDays(1); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test131() throws Throwable { Period period0 = Period.seconds(1); PeriodType.DAY_INDEX = 340; // Undeclared exception! // try { period0.ZERO.minusDays(8); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test132() throws Throwable { Period period0 = Period.millis(1871); YearMonth yearMonth0 = YearMonth.now(); Period period1 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period1.minus(period0); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test133() throws Throwable { Period period0 = Period.hours(168); PeriodType.HOUR_INDEX = 460; // Undeclared exception! // try { period0.minus(period0); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test134() throws Throwable { Weeks weeks0 = Weeks.MAX_VALUE; Period period0 = Period.weeks((-4174)); // Undeclared exception! // try { period0.minus(weeks0); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -4174 + -2147483647 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test135() throws Throwable { Period period0 = Period.days((-865)); PeriodType.YEAR_INDEX = (-2390); // Undeclared exception! // try { period0.getYears(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test136() throws Throwable { Period period0 = Period.days(2460); PeriodType.WEEK_INDEX = 28265625; // Undeclared exception! // try { period0.getWeeks(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test137() throws Throwable { Period period0 = new Period(); PeriodType.SECOND_INDEX = (-681); // Undeclared exception! // try { period0.ZERO.getSeconds(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test138() throws Throwable { Period period0 = Period.months((-1126)); PeriodType.MONTH_INDEX = (-1126); // Undeclared exception! // try { period0.getMonths(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test139() throws Throwable { Period period0 = Period.hours((-2663)); PeriodType.MINUTE_INDEX = 2610; // Undeclared exception! // try { period0.getMinutes(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test140() throws Throwable { Period period0 = Period.hours(19); PeriodType.MILLI_INDEX = 1000; // Undeclared exception! // try { period0.ZERO.getMillis(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test141() throws Throwable { Period period0 = new Period(); PeriodType.HOUR_INDEX = 97; // Undeclared exception! // try { period0.getHours(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test142() throws Throwable { Period period0 = Period.millis(1871); PeriodType.DAY_INDEX = 1871; // Undeclared exception! // try { period0.getDays(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test143() throws Throwable { ISOChronology iSOChronology0 = ISOChronology.getInstanceUTC(); Partial partial0 = new Partial(iSOChronology0, (DateTimeFieldType[]) null, (int[]) null); // Undeclared exception! // try { Period.fieldDifference(partial0, partial0); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // verifyException("org.joda.time.Partial", e); // } } @Test(timeout = 4000) public void test144() throws Throwable { IslamicChronology islamicChronology0 = IslamicChronology.getInstanceUTC(); DateTimeFieldType[] dateTimeFieldTypeArray0 = new DateTimeFieldType[5]; DateTimeFieldType dateTimeFieldType0 = DateTimeFieldType.minuteOfHour(); dateTimeFieldTypeArray0[0] = dateTimeFieldType0; DateTimeFieldType dateTimeFieldType1 = DateTimeFieldType.dayOfYear(); dateTimeFieldTypeArray0[1] = dateTimeFieldType1; dateTimeFieldTypeArray0[2] = dateTimeFieldType0; dateTimeFieldTypeArray0[3] = dateTimeFieldTypeArray0[1]; int[] intArray0 = new int[3]; Partial partial0 = new Partial(islamicChronology0, dateTimeFieldTypeArray0, intArray0); // Undeclared exception! // try { Period.fieldDifference(partial0, partial0); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // 3 // // // verifyException("org.joda.time.Partial", e); // } } @Test(timeout = 4000) public void test145() throws Throwable { JulianChronology julianChronology0 = JulianChronology.getInstanceUTC(); MonthDay monthDay0 = new MonthDay((Chronology) julianChronology0); int[] intArray0 = new int[6]; MonthDay monthDay1 = new MonthDay(monthDay0, intArray0); PeriodType periodType0 = PeriodType.hours(); Period period0 = null; // try { period0 = new Period(monthDay1, monthDay0, periodType0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Value 0 for monthOfYear must be in the range [1,12] // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test146() throws Throwable { PeriodType periodType0 = PeriodType.yearWeekDay(); Period period0 = null; // try { period0 = new Period((ReadablePartial) null, (ReadablePartial) null, periodType0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must not be null // // // verifyException("org.joda.time.base.BasePeriod", e); // } } @Test(timeout = 4000) public void test147() throws Throwable { MockDate mockDate0 = new MockDate(1, 1, 2); LocalDate localDate0 = LocalDate.fromDateFields(mockDate0); LocalDate localDate1 = localDate0.withYear(2); PeriodType periodType0 = PeriodType.millis(); Period period0 = null; // try { period0 = new Period(localDate1, localDate0, periodType0); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 59926608000000 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test148() throws Throwable { Period period0 = Period.millis(1871); Days days0 = Days.TWO; Minutes minutes0 = Minutes.standardMinutesIn(days0); PeriodType periodType0 = minutes0.getPeriodType(); GJChronology gJChronology0 = GJChronology.getInstance(); DateTimeZone dateTimeZone0 = gJChronology0.getZone(); GregorianChronology gregorianChronology0 = GregorianChronology.getInstance(dateTimeZone0); Period period1 = null; // try { period1 = new Period(period0, periodType0, gregorianChronology0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Period does not support field 'millis' // // // verifyException("org.joda.time.base.BasePeriod", e); // } } @Test(timeout = 4000) public void test149() throws Throwable { Object object0 = new Object(); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[0]; int[] intArray0 = new int[3]; PeriodType periodType0 = new PeriodType("7", durationFieldTypeArray0, intArray0); Period period0 = null; // try { period0 = new Period(object0, periodType0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // No period converter found for type: java.lang.Object // // // verifyException("org.joda.time.convert.ConverterManager", e); // } } @Test(timeout = 4000) public void test150() throws Throwable { Period period0 = null; // try { period0 = new Period(""); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Invalid format: \"\" // // // verifyException("org.joda.time.format.PeriodFormatter", e); // } } @Test(timeout = 4000) public void test151() throws Throwable { Minutes minutes0 = Minutes.ZERO; PeriodType periodType0 = minutes0.getPeriodType(); Period period0 = null; // try { period0 = new Period(1000000000000000000L, periodType0); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 16666666666666 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test152() throws Throwable { PeriodType periodType0 = PeriodType.yearWeekDayTime(); Period period0 = null; // try { period0 = new Period((-595), 1871, (-590), 27, 1871, 4, 3802, 4, periodType0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Period does not support field 'months' // // // verifyException("org.joda.time.base.BasePeriod", e); // } } @Test(timeout = 4000) public void test153() throws Throwable { Period period0 = Period.ZERO; Period period1 = period0.multipliedBy(3038); assertSame(period1, period0); } @Test(timeout = 4000) public void test154() throws Throwable { Period period0 = Period.days((-4136)); Period period1 = period0.plusMillis(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test155() throws Throwable { Period period0 = new Period(); Period period1 = period0.plusSeconds(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test156() throws Throwable { Period period0 = new Period(9, 9, (-491), 3557, (-1203), (-491), 9, 9); Period period1 = period0.plusMinutes((-491)); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test157() throws Throwable { Period period0 = new Period(); Period period1 = period0.plusHours(714); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test158() throws Throwable { Period period0 = Period.years(0); Period period1 = period0.plusHours(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test159() throws Throwable { Period period0 = Period.minutes((-1068)); Period period1 = period0.plusDays(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test160() throws Throwable { Period period0 = new Period(); Period period1 = period0.plusDays(765); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test161() throws Throwable { Period period0 = Period.ZERO; Period period1 = period0.plusWeeks(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test162() throws Throwable { Period period0 = new Period(9, 9, (-491), 3557, (-1203), (-491), 9, 9); int int0 = period0.getHours(); assertEquals((-1203), int0); } @Test(timeout = 4000) public void test163() throws Throwable { Period period0 = Period.seconds(435); int int0 = period0.getYears(); assertEquals(0, int0); } @Test(timeout = 4000) public void test164() throws Throwable { Period period0 = new Period(); int int0 = period0.ZERO.getSeconds(); assertEquals(0, int0); } @Test(timeout = 4000) public void test165() throws Throwable { Days days0 = Days.days(7); PeriodType periodType0 = days0.getPeriodType(); Period period0 = new Period((Object) null, periodType0); } @Test(timeout = 4000) public void test166() throws Throwable { PeriodType periodType0 = PeriodType.time(); Period period0 = new Period((-4277L), (-4277L), periodType0); Period period1 = period0.plusMillis((-25650000)); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test167() throws Throwable { Duration duration0 = Duration.standardMinutes((-1701L)); Period period0 = duration0.toPeriod((PeriodType) null); int int0 = period0.getDays(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test168() throws Throwable { Period period0 = Period.ZERO; int int0 = period0.getMinutes(); assertEquals(0, int0); } @Test(timeout = 4000) public void test169() throws Throwable { Period period0 = Period.ZERO; int int0 = period0.getMonths(); assertEquals(0, int0); } @Test(timeout = 4000) public void test170() throws Throwable { Period period0 = Period.years(0); Period period1 = new Period(period0, (Chronology) null); assertTrue(period1.equals((Object)period0)); } @Test(timeout = 4000) public void test171() throws Throwable { JulianChronology julianChronology0 = JulianChronology.getInstance(); Period period0 = new Period((-2068L), (PeriodType) null, (Chronology) julianChronology0); Period period1 = period0.plusMonths((-312)); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test172() throws Throwable { Period period0 = Period.hours(19); int int0 = period0.ZERO.getMillis(); assertEquals(0, int0); } @Test(timeout = 4000) public void test173() throws Throwable { LocalDate localDate0 = new LocalDate(); Period period0 = new Period(localDate0, localDate0); PeriodType.YEAR_INDEX = (-2458); // Undeclared exception! // try { period0.toStandardWeeks(); // fail("Expecting exception: ArrayIndexOutOfBoundsException"); // } catch(ArrayIndexOutOfBoundsException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test174() throws Throwable { Period period0 = Period.years(20503125); PeriodType periodType0 = PeriodType.yearMonthDayTime(); Period period1 = period0.normalizedStandard(periodType0); assertFalse(period1.equals((Object)period0)); } @Test(timeout = 4000) public void test175() throws Throwable { Period period0 = new Period(); Period period1 = period0.minusMonths(10); PeriodType periodType0 = PeriodType.yearMonthDayTime(); Period period2 = period1.normalizedStandard(periodType0); assertFalse(period2.equals((Object)period1)); assertNotSame(period1, period0); } @Test(timeout = 4000) public void test176() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.plusYears(2); // Undeclared exception! // try { period1.toStandardDays(); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Cannot convert to Days as this period contains years and years vary in length // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test177() throws Throwable { Period period0 = new Period(); Period period1 = period0.minusMonths(5); // Undeclared exception! // try { period1.toStandardSeconds(); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Cannot convert to Seconds as this period contains months and months vary in length // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test178() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); Period period1 = period0.multipliedBy(1); assertSame(period1, period0); } @Test(timeout = 4000) public void test179() throws Throwable { Period period0 = Period.millis(6); Period period1 = period0.ZERO.negated(); assertNotSame(period0, period1); } @Test(timeout = 4000) public void test180() throws Throwable { Period period0 = Period.years(20503125); Period period1 = period0.minus((ReadablePeriod) null); assertSame(period0, period1); } @Test(timeout = 4000) public void test181() throws Throwable { Days days0 = Days.SEVEN; Period period0 = days0.toPeriod(); Period period1 = period0.minusMillis(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test182() throws Throwable { Period period0 = new Period(); Period period1 = period0.plusMinutes(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test183() throws Throwable { Period period0 = Period.days(0); Period period1 = period0.ZERO.minusDays(0); assertTrue(period1.equals((Object)period0)); } @Test(timeout = 4000) public void test184() throws Throwable { Period period0 = Period.millis(1871); Period period1 = period0.minusWeeks(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test185() throws Throwable { Period period0 = new Period(); Period period1 = period0.plusMonths(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test186() throws Throwable { Period period0 = Period.years(0); Period period1 = period0.plusYears(0); assertSame(period1, period0); } @Test(timeout = 4000) public void test187() throws Throwable { Period period0 = new Period(); Period period1 = period0.plus((ReadablePeriod) null); assertSame(period1, period0); } @Test(timeout = 4000) public void test188() throws Throwable { Days days0 = Days.MIN_VALUE; Period period0 = days0.toPeriod(); // Undeclared exception! // try { period0.plus(days0); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -2147483648 + -2147483648 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test189() throws Throwable { Period period0 = Period.hours(3001); DurationFieldType durationFieldType0 = DurationFieldType.weeks(); Period period1 = period0.ZERO.withFieldAdded(durationFieldType0, 0); assertFalse(period1.equals((Object)period0)); } @Test(timeout = 4000) public void test190() throws Throwable { Days days0 = Days.FOUR; Period period0 = days0.toPeriod(); // Undeclared exception! // try { period0.withFieldAdded((DurationFieldType) null, 2637); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Field must not be null // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test191() throws Throwable { Period period0 = Period.millis(1); // Undeclared exception! // try { period0.withField((DurationFieldType) null, 1); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Field must not be null // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test192() throws Throwable { Period period0 = new Period(); Period period1 = period0.withFields((ReadablePeriod) null); assertSame(period0, period1); } @Test(timeout = 4000) public void test193() throws Throwable { Period period0 = new Period(); Period period1 = period0.withPeriodType((PeriodType) null); assertSame(period1, period0); } @Test(timeout = 4000) public void test194() throws Throwable { IslamicChronology islamicChronology0 = IslamicChronology.getInstanceUTC(); DateTimeFieldType[] dateTimeFieldTypeArray0 = new DateTimeFieldType[5]; DateTimeFieldType dateTimeFieldType0 = DateTimeFieldType.minuteOfHour(); dateTimeFieldTypeArray0[0] = dateTimeFieldType0; dateTimeFieldTypeArray0[1] = dateTimeFieldTypeArray0[0]; int[] intArray0 = new int[3]; Partial partial0 = new Partial(islamicChronology0, dateTimeFieldTypeArray0, intArray0); // Undeclared exception! // try { Period.fieldDifference(partial0, partial0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must not have overlapping fields // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test195() throws Throwable { JulianChronology julianChronology0 = JulianChronology.getInstance(); LocalDateTime localDateTime0 = new LocalDateTime((Chronology) julianChronology0); LocalTime localTime0 = new LocalTime((-2467L)); // Undeclared exception! // try { Period.fieldDifference(localDateTime0, localTime0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must have the same set of fields // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test196() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); MockGregorianCalendar mockGregorianCalendar0 = new MockGregorianCalendar(); LocalDateTime localDateTime0 = LocalDateTime.fromCalendarFields(mockGregorianCalendar0); // Undeclared exception! // try { Period.fieldDifference(yearMonth0, localDateTime0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must have the same set of fields // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test197() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); // Undeclared exception! // try { Period.fieldDifference(yearMonth0, (ReadablePartial) null); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must not be null // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test198() throws Throwable { // Undeclared exception! // try { Period.fieldDifference((ReadablePartial) null, (ReadablePartial) null); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must not be null // // // verifyException("org.joda.time.Period", e); // } } @Test(timeout = 4000) public void test199() throws Throwable { MutableDateTime mutableDateTime0 = new MutableDateTime(30585600000L); PeriodType periodType0 = PeriodType.days(); Period period0 = new Period(mutableDateTime0, (ReadableInstant) null, periodType0); // Undeclared exception! // try { period0.minusYears(4); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test200() throws Throwable { Period period0 = Period.seconds((-463)); Period period1 = period0.withYears((-1850)); assertFalse(period1.equals((Object)period0)); } @Test(timeout = 4000) public void test201() throws Throwable { Period period0 = Period.years(1073741824); DurationFieldType durationFieldType0 = DurationFieldType.years(); // Undeclared exception! // try { period0.withFieldAdded(durationFieldType0, 1073741824); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: 1073741824 + 1073741824 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test202() throws Throwable { Duration duration0 = Duration.ZERO; DateTime dateTime0 = new DateTime(2592000000L); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[4]; PeriodType periodType0 = new PeriodType((String) null, durationFieldTypeArray0, (int[]) null); Period period0 = duration0.toPeriodTo((ReadableInstant) dateTime0, periodType0); // Undeclared exception! // try { period0.toStandardSeconds(); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test203() throws Throwable { Period period0 = new Period(5, (-28), (-28), (-28)); // Undeclared exception! // try { period0.minusMinutes(Integer.MAX_VALUE); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -28 + -2147483647 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test204() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); Period period1 = period0.normalizedStandard(); assertNotSame(period0, period1); } @Test(timeout = 4000) public void test205() throws Throwable { Instant instant0 = new Instant(3150L); Period period0 = Period.months(0); Duration duration0 = period0.toStandardDuration(); int[] intArray0 = new int[1]; PeriodType periodType0 = new PeriodType("07p,v~n", (DurationFieldType[]) null, intArray0); Period period1 = null; // try { period1 = new Period(instant0, duration0, periodType0); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test206() throws Throwable { Duration duration0 = new Duration((-3498L), 0L); Instant instant0 = new Instant(); Interval interval0 = duration0.toIntervalFrom(instant0); Seconds seconds0 = Seconds.THREE; PeriodType periodType0 = seconds0.getPeriodType(); Period period0 = interval0.toPeriod(periodType0); // Undeclared exception! // try { period0.withYears((-1041)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test207() throws Throwable { Minutes minutes0 = Minutes.ONE; Weeks weeks0 = minutes0.toStandardWeeks(); Duration duration0 = weeks0.toStandardDuration(); ISOChronology iSOChronology0 = ISOChronology.getInstanceUTC(); Period period0 = duration0.toPeriod((Chronology) iSOChronology0); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[9]; PeriodType periodType0 = new PeriodType("", durationFieldTypeArray0, (int[]) null); Period period1 = period0.withPeriodType(periodType0); // Undeclared exception! // try { period1.minusMonths((-114)); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test208() throws Throwable { Days days0 = Days.FOUR; Period period0 = days0.toPeriod(); Minutes minutes0 = period0.toStandardMinutes(); assertEquals(5760, minutes0.getMinutes()); } @Test(timeout = 4000) public void test209() throws Throwable { PeriodType periodType0 = PeriodType.years(); Period period0 = new Period((Object) null, periodType0, (Chronology) null); // Undeclared exception! // try { period0.plusSeconds(1134); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test210() throws Throwable { Weeks weeks0 = Weeks.THREE; Duration duration0 = weeks0.toStandardDuration(); Period period0 = new Period((ReadableInstant) null, duration0); } @Test(timeout = 4000) public void test211() throws Throwable { Period period0 = Period.days((-865)); Period period1 = period0.withMonths(4365); assertNotSame(period0, period1); } @Test(timeout = 4000) public void test212() throws Throwable { MutablePeriod mutablePeriod0 = new MutablePeriod(0L); Period period0 = mutablePeriod0.toPeriod(); int int0 = period0.getWeeks(); assertEquals(0, int0); } @Test(timeout = 4000) public void test213() throws Throwable { ISOChronology iSOChronology0 = ISOChronology.getInstance(); LocalDate localDate0 = new LocalDate((Chronology) iSOChronology0); DateTimeZone dateTimeZone0 = DateTimeZone.forOffsetHours(22); DateTime dateTime0 = localDate0.toDateTimeAtStartOfDay(dateTimeZone0); Period period0 = new Period(dateTime0, dateTime0); } @Test(timeout = 4000) public void test214() throws Throwable { Duration duration0 = Duration.standardSeconds(0L); PeriodType periodType0 = PeriodType.yearMonthDay(); Period period0 = new Period(duration0, (ReadableInstant) null, periodType0); // Undeclared exception! // try { period0.minusMinutes((-2795)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test215() throws Throwable { Duration duration0 = Duration.standardHours((-580L)); MutableDateTime mutableDateTime0 = MutableDateTime.now(); Period period0 = new Period(duration0, mutableDateTime0); } @Test(timeout = 4000) public void test216() throws Throwable { // Undeclared exception! // try { Period.parse(" - "); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // Invalid format: \" - \" // // // verifyException("org.joda.time.format.PeriodFormatter", e); // } } @Test(timeout = 4000) public void test217() throws Throwable { Duration duration0 = Duration.standardSeconds(0L); PeriodType periodType0 = PeriodType.yearMonthDay(); Period period0 = new Period(duration0, (ReadableInstant) null, periodType0); // Undeclared exception! // try { period0.minusHours((-121)); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test218() throws Throwable { Period period0 = new Period(942, 1871, Integer.MAX_VALUE, 1871, 959, 1, 942, 3830); // Undeclared exception! // try { period0.normalizedStandard(); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // Value cannot fit in an int: 2147483919 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test219() throws Throwable { Period period0 = Period.seconds((-463)); Period period1 = period0.toPeriod(); assertSame(period1, period0); } @Test(timeout = 4000) public void test220() throws Throwable { GJChronology gJChronology0 = GJChronology.getInstance(); Period period0 = new Period((-2322L), (-2322L), gJChronology0); } @Test(timeout = 4000) public void test221() throws Throwable { Duration duration0 = Duration.standardDays(1401L); Period period0 = duration0.toPeriod(); Period period1 = period0.withMillis(Integer.MIN_VALUE); // Undeclared exception! // try { period1.minusMillis(1905); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -2147483648 + -1905 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test222() throws Throwable { YearMonth yearMonth0 = YearMonth.now(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); Hours hours0 = period0.toStandardHours(); assertEquals(0, hours0.getHours()); } @Test(timeout = 4000) public void test223() throws Throwable { Period period0 = new Period((-3028), 3802, 7, 1, (-1422), (-3028), 2, 6, (PeriodType) null); } @Test(timeout = 4000) public void test224() throws Throwable { Period period0 = Period.seconds(5); Period period1 = period0.minusYears(45); // Undeclared exception! // try { period1.plusYears(Integer.MIN_VALUE); // fail("Expecting exception: ArithmeticException"); // } catch(ArithmeticException e) { // // // // The calculation caused an overflow: -45 + -2147483648 // // // verifyException("org.joda.time.field.FieldUtils", e); // } } @Test(timeout = 4000) public void test225() throws Throwable { Integer integer0 = new Integer((-1179)); FixedDateTimeZone fixedDateTimeZone0 = (FixedDateTimeZone)DateTimeZone.UTC; IslamicChronology islamicChronology0 = IslamicChronology.getInstance((DateTimeZone) fixedDateTimeZone0); Period period0 = null; // try { period0 = new Period((Object) integer0, (Chronology) islamicChronology0); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // No period converter found for type: java.lang.Integer // // // verifyException("org.joda.time.convert.ConverterManager", e); // } } @Test(timeout = 4000) public void test226() throws Throwable { Period period0 = null; // try { period0 = new Period((ReadablePartial) null, (ReadablePartial) null); // fail("Expecting exception: IllegalArgumentException"); // } catch(IllegalArgumentException e) { // // // // ReadablePartial objects must not be null // // // verifyException("org.joda.time.base.BasePeriod", e); // } } @Test(timeout = 4000) public void test227() throws Throwable { PeriodPrinter periodPrinter0 = mock(PeriodPrinter.class, new ViolatedAssumptionAnswer()); PeriodParser periodParser0 = mock(PeriodParser.class, new ViolatedAssumptionAnswer()); doReturn(Integer.MIN_VALUE).when(periodParser0).parseInto(any(org.joda.time.ReadWritablePeriod.class) , anyString() , anyInt() , any(java.util.Locale.class)); PeriodFormatter periodFormatter0 = new PeriodFormatter(periodPrinter0, periodParser0); // Undeclared exception! // try { Period.parse("ct(:%`", periodFormatter0); // fail("Expecting exception: StringIndexOutOfBoundsException"); // } catch(StringIndexOutOfBoundsException e) { // } } @Test(timeout = 4000) public void test228() throws Throwable { YearMonth yearMonth0 = new YearMonth(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); DurationFieldType[] durationFieldTypeArray0 = new DurationFieldType[2]; PeriodType periodType0 = new PeriodType("*'^,<", durationFieldTypeArray0, (int[]) null); Period period1 = period0.withPeriodType(periodType0); // Undeclared exception! // try { period1.plusMonths(5); // fail("Expecting exception: NullPointerException"); // } catch(NullPointerException e) { // // // // no message in exception (getMessage() returned null) // // // } } @Test(timeout = 4000) public void test229() throws Throwable { Period period0 = Period.months((-1126)); Period period1 = period0.withSeconds(380); assertNotSame(period0, period1); } @Test(timeout = 4000) public void test230() throws Throwable { YearMonth yearMonth0 = new YearMonth(); Period period0 = Period.fieldDifference(yearMonth0, yearMonth0); // Undeclared exception! // try { period0.withWeeks(1); // fail("Expecting exception: UnsupportedOperationException"); // } catch(UnsupportedOperationException e) { // // // // Field is not supported // // // verifyException("org.joda.time.PeriodType", e); // } } @Test(timeout = 4000) public void test231() throws Throwable { Period period0 = new Period(); Period period1 = period0.withHours((-420)); assertNotSame(period0, period1); } }
3e792b44749d755f017cf17731c2604b35dd0c06
9254e7279570ac8ef687c416a79bb472146e9b35
/sofa-20190815/src/main/java/com/aliyun/sofa20190815/models/QueryLinkeLinktImportresultResponseBody.java
1e305228450c776bad671b66f5d49e1bb6e4ab69
[ "Apache-2.0" ]
permissive
lquterqtd/alibabacloud-java-sdk
3eaa17276dd28004dae6f87e763e13eb90c30032
3e5dca8c36398469e10cdaaa34c314ae0bb640b4
refs/heads/master
2023-08-12T13:56:26.379027
2021-10-19T07:22:15
2021-10-19T07:22:15
null
0
0
null
null
null
null
UTF-8
Java
false
false
3,867
java
// This file is auto-generated, don't edit it. Thanks. package com.aliyun.sofa20190815.models; import com.aliyun.tea.*; public class QueryLinkeLinktImportresultResponseBody extends TeaModel { @NameInMap("RequestId") public String requestId; @NameInMap("ResultCode") public String resultCode; @NameInMap("ResultMessage") public String resultMessage; @NameInMap("ErrorCode") public Long errorCode; @NameInMap("ErrorMessage") public String errorMessage; @NameInMap("ResponseStatusCode") public Long responseStatusCode; @NameInMap("Success") public Boolean success; @NameInMap("Data") public QueryLinkeLinktImportresultResponseBodyData data; public static QueryLinkeLinktImportresultResponseBody build(java.util.Map<String, ?> map) throws Exception { QueryLinkeLinktImportresultResponseBody self = new QueryLinkeLinktImportresultResponseBody(); return TeaModel.build(map, self); } public QueryLinkeLinktImportresultResponseBody setRequestId(String requestId) { this.requestId = requestId; return this; } public String getRequestId() { return this.requestId; } public QueryLinkeLinktImportresultResponseBody setResultCode(String resultCode) { this.resultCode = resultCode; return this; } public String getResultCode() { return this.resultCode; } public QueryLinkeLinktImportresultResponseBody setResultMessage(String resultMessage) { this.resultMessage = resultMessage; return this; } public String getResultMessage() { return this.resultMessage; } public QueryLinkeLinktImportresultResponseBody setErrorCode(Long errorCode) { this.errorCode = errorCode; return this; } public Long getErrorCode() { return this.errorCode; } public QueryLinkeLinktImportresultResponseBody setErrorMessage(String errorMessage) { this.errorMessage = errorMessage; return this; } public String getErrorMessage() { return this.errorMessage; } public QueryLinkeLinktImportresultResponseBody setResponseStatusCode(Long responseStatusCode) { this.responseStatusCode = responseStatusCode; return this; } public Long getResponseStatusCode() { return this.responseStatusCode; } public QueryLinkeLinktImportresultResponseBody setSuccess(Boolean success) { this.success = success; return this; } public Boolean getSuccess() { return this.success; } public QueryLinkeLinktImportresultResponseBody setData(QueryLinkeLinktImportresultResponseBodyData data) { this.data = data; return this; } public QueryLinkeLinktImportresultResponseBodyData getData() { return this.data; } public static class QueryLinkeLinktImportresultResponseBodyData extends TeaModel { @NameInMap("Resolving") public Boolean resolving; @NameInMap("Result") public String result; public static QueryLinkeLinktImportresultResponseBodyData build(java.util.Map<String, ?> map) throws Exception { QueryLinkeLinktImportresultResponseBodyData self = new QueryLinkeLinktImportresultResponseBodyData(); return TeaModel.build(map, self); } public QueryLinkeLinktImportresultResponseBodyData setResolving(Boolean resolving) { this.resolving = resolving; return this; } public Boolean getResolving() { return this.resolving; } public QueryLinkeLinktImportresultResponseBodyData setResult(String result) { this.result = result; return this; } public String getResult() { return this.result; } } }
8c47691e9e65e1ce6d6b9cc41b05a1a0cdc9d26a
71dc08ecd65afd5096645619eee08c09fc80f50d
/src/main/java/com/tomatolive/library/ui/presenter/SearchLivePresenter.java
ef93d9acea8a697c005c9eca84a6213773d3e7e2
[]
no_license
lanshifu/FFmpegDemo
d5a4a738feadcb15d8728ee92f9eb00f00c77413
fdbafde0bb8150503ae68c42ae98361c030bf046
refs/heads/master
2020-06-25T12:24:12.590952
2019-09-08T07:35:16
2019-09-08T07:35:16
199,304,834
0
0
null
null
null
null
UTF-8
Java
false
false
1,519
java
package com.tomatolive.library.ui.presenter; import android.content.Context; import com.tomatolive.library.base.a; import com.tomatolive.library.http.HttpResultPageModel; import com.tomatolive.library.http.HttpRxObserver; import com.tomatolive.library.http.RequestParams; import com.tomatolive.library.http.ResultCallBack; import com.tomatolive.library.model.LiveEntity; import com.tomatolive.library.ui.view.iview.ISearchLiveView; import com.tomatolive.library.ui.view.widget.StateView; public class SearchLivePresenter extends a<ISearchLiveView> { public SearchLivePresenter(Context context, ISearchLiveView iSearchLiveView) { super(context, iSearchLiveView); } public void getLiveList(StateView stateView, String str, int i, boolean z, final boolean z2) { addMapSubscription(this.mApiService.getSearchLiveListService(new RequestParams().getPageListByKeyParams(str, i)), new HttpRxObserver(getContext(), new ResultCallBack<HttpResultPageModel<LiveEntity>>() { public void onSuccess(HttpResultPageModel<LiveEntity> httpResultPageModel) { if (httpResultPageModel != null) { ((ISearchLiveView) SearchLivePresenter.this.getView()).onDataListSuccess(httpResultPageModel.dataList, httpResultPageModel.isMorePage(), z2); } } public void onError(int i, String str) { ((ISearchLiveView) SearchLivePresenter.this.getView()).onResultError(i); } }, stateView, z)); } }
af4ca738148a5cbd1ccbb6eecd3339669bb2bac6
8748b7d4c9305880d8a0d7c8067d6823d160d582
/src/group4/AI/RandomAI.java
2fc5302dd7db39fb918f4f4878a8ac0165a029e6
[]
no_license
SijbenR/game-of-the-amazons
b54298d15787a90cef347d76d0fe1cd7bf3b890e
963849d929e9fb04f1854463226d6d7b2e5345d6
refs/heads/master
2021-01-18T20:46:22.233377
2017-01-25T01:08:06
2017-01-25T01:08:06
69,374,617
0
0
null
null
null
null
UTF-8
Java
false
false
2,096
java
package group4.AI; import group4.ui.GridCoordinate; import java.util.ArrayList; import java.util.Collections; import java.util.List; import static group4.AI.MinMax.getBoardAsString; import static group4.AI.MinMax.getQueensPositions; public class RandomAI implements MoveProducer { int player; public RandomAI(int player) { this.player=player; } @Override public GridCoordinate[] getMove(int[][] board) { GridCoordinate[] move=new GridCoordinate[3]; GridCoordinate from=null; List<GridCoordinate> froms= getQueensPositions(board, player); List<GridCoordinate> tos=null; List<GridCoordinate> arrowto; Collections.shuffle(froms); for (GridCoordinate f: froms ) { tos= getPossibleMoves(board, f); if (!tos.isEmpty()) { from = f; break; } } if (from == null) { System.err.println(froms); System.err.println(getBoardAsString(board)); throw new RuntimeException("No mobility for player " + player); } move[0]=from; Collections.shuffle(tos); move[1]=tos.get(0); arrowto=getPossibleMoves(board, move[1]); arrowto.add(from); Collections.shuffle(arrowto); move[2]=arrowto.get(0); return move; } public static List<GridCoordinate> getPossibleMoves(int[][] board, GridCoordinate from) { ArrayList<GridCoordinate> to = new ArrayList<>(); for (int k1 = -1; k1 < 2; k1++) for (int k2 = -1; k2 < 2; k2++) { if (k1 == 0 && k2 == 0) continue; int i = from.x + k1; int j = from.y + k2; while (j >= 0 && j < board.length && i >= 0 && i < board[0].length) { if (board[j][i] != 0) break; to.add(new GridCoordinate(i, j)); i += k1; j += k2; } } return to; } }
5da49284050ce6dcd68b3ddc590b5dc00b290085
f1fd3abd92ae1190df5146640bdc6a44cb2b19e9
/src/main/java/com/zmh/stuspringbootdemo/controller/RoleController.java
e2289e6b53a2a30977d1de93fdff02e10dbd5973
[]
no_license
giottohang/springboot-demo
bfbda566ed777a58a703e31b39fd5f88762b2fb0
7c1b3cc153d88e961e986758d3e45bbfbacec6ed
refs/heads/master
2022-07-04T19:58:19.120856
2019-09-05T07:54:21
2019-09-05T07:54:21
206,503,645
0
0
null
2022-06-21T01:49:02
2019-09-05T07:36:25
Java
UTF-8
Java
false
false
2,313
java
package com.zmh.stuspringbootdemo.controller; import com.zmh.stuspringbootdemo.domain.Role; import com.zmh.stuspringbootdemo.service.RoleService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RestController; import java.util.HashMap; import java.util.Map; @RestController @RequestMapping("/role") public class RoleController { @Autowired private RoleService roleService; @GetMapping("/addRole/{id}/{role_name}/{user_id}") public Object addPermission(@PathVariable Integer id,@PathVariable String role_name,@PathVariable Integer user_id){ Map<String, Object> result = new HashMap<String, Object>(); result.put("code", -1); Role role = new Role(); role.setId(id); role.setRole_name(role_name); role.setUser_id(user_id); int count = roleService.addRole(role); if (count > 0) result.put("code", 0); return result; } @GetMapping("/deleteRole/{id}") public Object deleteRole(@PathVariable Integer id){ Map<String, Object> result = new HashMap<String, Object>(); result.put("code", -1); int count = roleService.deleteRole(id); if (count > 0) result.put("code", 0); return result; } @GetMapping("/updateRole/{id}/{role_name}/{user_id}") public Object updateRole(@PathVariable Integer id, @PathVariable String role_name, @PathVariable Integer user_id){ Map<String, Object> result = new HashMap<String, Object>(); result.put("code", -1); Role role = new Role(); role.setId(id); role.setRole_name(role_name); role.setUser_id(user_id); int count = roleService.updateRole(role); if (count > 0) result.put("code", 0); return result; } @GetMapping("/getRole/{id}") public Object getRole(@PathVariable Integer id){ Map<String, Object> result = new HashMap<String, Object>(); result.put("code", -1); result.put("payload", roleService.getRole(id)); return result; } }
260ab2c77cb2e49eb13954be62c3c05c522fe68f
f10a7a255151c627eb1953e029de75b215246b4a
/quickfixj-core/src/main/java/quickfix/field/LegOfferPx.java
939cad629e699ce68e4f8cdc09c2318be215326f
[ "BSD-2-Clause", "LicenseRef-scancode-public-domain" ]
permissive
niepoo/quickfixj
579f57f2e8fb8db906c6f916355da6d78bb86ecb
f8e255c3e86e36d7551b8661c403672e69070ca1
refs/heads/master
2021-01-18T05:29:51.369160
2016-10-16T23:31:34
2016-10-16T23:31:34
68,493,032
0
0
null
2016-09-18T03:18:20
2016-09-18T03:18:20
null
UTF-8
Java
false
false
1,168
java
/* Generated Java Source File */ /******************************************************************************* * Copyright (c) quickfixengine.org All rights reserved. * * This file is part of the QuickFIX FIX Engine * * This file may be distributed under the terms of the quickfixengine.org * license as defined by quickfixengine.org and appearing in the file * LICENSE included in the packaging of this file. * * This file is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING * THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A * PARTICULAR PURPOSE. * * See http://www.quickfixengine.org/LICENSE for licensing information. * * Contact [email protected] if any conditions of this licensing * are not clear to you. ******************************************************************************/ package quickfix.field; import quickfix.DoubleField; public class LegOfferPx extends DoubleField { static final long serialVersionUID = 20050617; public static final int FIELD = 684; public LegOfferPx() { super(684); } public LegOfferPx(double data) { super(684, data); } }
a693d75a576c9375420d737872b72b147b9d22e1
c9da71648dfc400548884bc309cca823450e8663
/OTAS-DM-Project/nWave-DM-Common/src/com/npower/dm/workflow/WorkflowProcessor.java
8fe7b6b0359d7f5d70c9407652f3e1c35c67af94
[]
no_license
chrisyun/macho-project-home
810f984601bd42bc8bf6879b278e2cde6230e1d8
f79f18f980178ebd01d3e916829810e94fd7dc04
refs/heads/master
2016-09-05T17:10:18.021448
2014-05-22T07:46:09
2014-05-22T07:46:09
36,444,782
0
1
null
null
null
null
UTF-8
Java
false
false
4,170
java
/** * $Header: /home/master/nWave-DM-Common/src/com/npower/dm/workflow/WorkflowProcessor.java,v 1.2 2007/01/09 04:21:10 zhao Exp $ * $Revision: 1.2 $ * $Date: 2007/01/09 04:21:10 $ * * =============================================================================================== * License, Version 1.1 * * Copyright (c) 1994-2007 NPower Network Software Ltd. All rights reserved. * * This SOURCE CODE FILE, which has been provided by NPower as part * of a NPower product for use ONLY by licensed users of the product, * includes CONFIDENTIAL and PROPRIETARY information of NPower. * * USE OF THIS SOFTWARE IS GOVERNED BY THE TERMS AND CONDITIONS * OF THE LICENSE STATEMENT AND LIMITED WARRANTY FURNISHED WITH * THE PRODUCT. * * IN PARTICULAR, YOU WILL INDEMNIFY AND HOLD NPower, ITS RELATED * COMPANIES AND ITS SUPPLIERS, HARMLESS FROM AND AGAINST ANY CLAIMS * OR LIABILITIES ARISING OUT OF THE USE, REPRODUCTION, OR DISTRIBUTION * OF YOUR PROGRAMS, INCLUDING ANY CLAIMS OR LIABILITIES ARISING OUT OF * OR RESULTING FROM THE USE, MODIFICATION, OR DISTRIBUTION OF PROGRAMS * OR FILES CREATED FROM, BASED ON, AND/OR DERIVED FROM THIS SOURCE * CODE FILE. * =============================================================================================== */ package com.npower.dm.workflow; import java.io.Serializable; import java.security.Principal; import java.util.List; import sync4j.framework.core.dm.ddf.DevInfo; import sync4j.framework.engine.dm.DeviceDMState; import sync4j.framework.engine.dm.ManagementOperation; import sync4j.framework.engine.dm.ManagementOperationResult; import sync4j.framework.protocol.ManagementInitialization; /** * @author Zhao DongLu * @version $Revision: 1.2 $ $Date: 2007/01/09 04:21:10 $ */ public interface WorkflowProcessor extends Serializable { /** * Return the name of processor. * @return * Name of processor. */ public String getName(); /** * Sets the collection of Activities to be executed by the Workflow Process * * @param activities ordered collection (List) of activities to be executed by the processor */ public void setActivities(List<Activity> activities); /** * Set default Error handler * @param defaultErrorHandler * Default Error Handler. */ public void setDefaultErrorHandler(ErrorHandler defaultErrorHandler); /** * To be implemented by subclasses, ensures each Activity configured in this process * is supported. This method is called by the Processor * for each Activity configured. An implementing subclass should ensure the Activity * type passed in is supported. Implementors could possibly support multiple * types of activities. * * @param Activyt - activity instance of the configured activity * @return true if the activity is supported */ public boolean supports(Activity activity); /** * Abstract method used to kickoff the processing of work flow activities. * Each processor implementation should implement doActivities as a means * of carrying out the activities wired to the workflow process. */ public void doActivities(); /** * Abstract method used to kickoff the processing of work flow activities. * Each processor implementation should implement doActivities as a means * of carrying out the activities wired to the workflow process. This version * of doActivities is designed to be called from some external entity, e.g. * listening a JMS queue. That external entitiy would proved the seed data. * * @param seedData - data necessary for the workflow process to start execution */ public void doActivities(Object seedData); public void beginSession(String sessionId, Principal principal, int type, DevInfo devInfo, DeviceDMState dmState, ManagementInitialization init); public void endSession(int completionCode); public List<ManagementOperation> getNextOperations(); public void setOperationResults(List<ManagementOperationResult> results); }
[ "machozhao@bea0ad5c-f690-c3dd-0edd-70527fc306d2" ]
machozhao@bea0ad5c-f690-c3dd-0edd-70527fc306d2
c2f400b5649527e7bb0fb7b8f0315961a714950f
10ece71b8ff64e51cd9ee5abf8f78523dbd7f600
/src/test/java/com/allinpay/framework/socket/netty/test/TestTcp.java
4132ddf1567682da77168ead4cf9d72c0be24802
[]
no_license
Wang-Ray/framework-netty-socket
4cf14f0ec13a86563f96a087c369f40dd71878ae
b77f614c91a3bdc3844ac9dd4b82965fcd595145
refs/heads/master
2023-05-23T15:54:07.643279
2021-03-23T03:45:05
2021-03-23T03:45:05
38,601,826
0
0
null
2021-06-07T17:24:26
2015-07-06T06:37:26
Java
UTF-8
Java
false
false
2,314
java
package com.allinpay.framework.socket.netty.test; import java.io.IOException; import org.junit.Ignore; import org.junit.Test; import com.allinpay.io.framework.netty.socket.client.NettyTcpClient; import com.allinpay.io.framework.netty.socket.server.NettyTcpServer; public class TestTcp { @Test @Ignore /** * 连接被服务端异常关闭,比如服务端关闭 * * @throws IOException * @throws InterruptedException */ public void TestServerClose() throws IOException, InterruptedException { NettyTcpServer server = new NettyTcpServer(); server.setLocalHost("127.0.0.1"); server.setLocalPort(8080); ServerChannelHandlerInitializer serverChannelHandler = new ServerChannelHandlerInitializer(); server.setServerChannelHandlerInitializer(serverChannelHandler); NettyTcpClient client = new NettyTcpClient(); client.setRemoteServerHost("127.0.0.1"); client.setRemoteServerPort(8080); ClientChannelHandlerInitializer clientChannelHandlerInitializer = new ClientChannelHandlerInitializer(); client.setClientChannelHandlerInitializer(clientChannelHandlerInitializer); client.setReConnnectInterval(3 * 1000); server.init(); client.init(); Thread.sleep(5000); // 正常关闭 server.close(); // 客户端不断重连 Thread.sleep(30000); server.init(); Thread.sleep(5000); client.close(); server.close(); } @Test @Ignore /** * 心跳测试 * * @throws IOException * @throws InterruptedException */ public void TestHeartbeat() throws IOException, InterruptedException { NettyTcpServer server = new NettyTcpServer(); server.setLocalHost("127.0.0.1"); server.setLocalPort(8080); ServerChannelHandlerInitializer serverChannelHandler = new ServerChannelHandlerInitializer(); server.setServerChannelHandlerInitializer(serverChannelHandler); NettyTcpClient client = new NettyTcpClient(); client.setRemoteServerHost("127.0.0.1"); client.setRemoteServerPort(8080); ClientChannelHandlerInitializer clientChannelHandlerInitializer = new ClientChannelHandlerInitializer(); client.setClientChannelHandlerInitializer(clientChannelHandlerInitializer); System.out.println("==========Start Server First=========="); server.init(); client.init(); // 不断心跳 Thread.sleep(30000); client.close(); server.close(); } }
b7fb0c2c5bc6ecb6338cd65c026605f2616c5e37
446efe55645fe24bdee99100b9ee6c9b98caa2b0
/TestHelperSpring/src/main/java/com/ua/nure/TestHelper/service/serviceImpl/TemplateServiseImpl.java
e3f10b7271714b0f055a5fedf7a5af32985246a0
[]
no_license
oleksandrByzkrovnyi/SpringBoot-Angular-4
43e620a5e48e1bf0df848d5ccc5f5dea3f3f32bc
c571db937acb9be6e8e65681b2039153941e4438
refs/heads/master
2020-03-20T13:25:28.159082
2018-06-15T07:28:56
2018-06-15T07:28:56
137,455,386
0
0
null
null
null
null
UTF-8
Java
false
false
1,231
java
package com.ua.nure.TestHelper.service.serviceImpl; import com.ua.nure.TestHelper.domain.Template; import com.ua.nure.TestHelper.repository.TemplateRepository; import com.ua.nure.TestHelper.service.TemplateService; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import java.util.List; @Service(value = "templateService") public class TemplateServiseImpl implements TemplateService { @Autowired TemplateRepository templateRepository; @Override public Template addTemplate(Template template) { return templateRepository.saveAndFlush(template); } @Override public void delete(Template templ) { templateRepository.delete(templ); } @Override public Template getById(long id) { return templateRepository.findById(id).get(); } @Override public Template editTemplate(Template template) { return templateRepository.saveAndFlush(template); } @Override public List<Template> getAll() { return templateRepository.findAll(); } @Override public List<Template> getAllByTeacherId(String id) { return templateRepository.getAllByIdTeacher(id); } }
5fb8be00487e5b1e4413a604566eff5dd046f5c9
396698feb87f5c0a29fa645d7227cf30ae803145
/algafood-reysson/src/main/java/com/algaworks/algafoodreysson/domain/repository/PermissaoRepository.java
ec5de18b7c8619dafe7fda739e9201a21f3a81ee
[]
no_license
Reysson/java-api-algafood
a250597780285b01c6131fc2740081c14e889756
ad59790600e881600a75244c326bcacadf1e26ae
refs/heads/master
2023-04-18T01:19:04.351465
2021-05-04T19:42:46
2021-05-04T19:42:46
364,366,885
0
0
null
null
null
null
UTF-8
Java
false
false
541
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package com.algaworks.algafoodreysson.domain.repository; import com.algaworks.algafoodreysson.domain.model.Permissao; import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.stereotype.Repository; /** * * @author reysson */ @Repository public interface PermissaoRepository extends JpaRepository<Permissao, Integer>{ }
717b62d7a1ec36399eba68828929bbb709d2972f
867f94c116d9c94464472a39bb3b2b0d7a756748
/backend/src/main/java/com/softplan/desafiofullsatck/repositories/UserRepository.java
f030ecc99b77ceed86a8395f63c780a7a4d8d3ff
[]
no_license
Jrenatomt/desafio-softplan-full-fullstack-jose-renato-marques
63b00ddf078a0e777aea95d9164ef4ebe0c4d4a3
87bc432e6d208cf99aa7d26bf8e0fa3f14383d6b
refs/heads/master
2022-12-30T07:29:51.480266
2020-10-19T13:47:58
2020-10-19T13:47:58
304,701,626
1
0
null
null
null
null
UTF-8
Java
false
false
301
java
package com.softplan.desafiofullsatck.repositories; import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.stereotype.Repository; import com.softplan.desafiofullsatck.entities.User; @Repository public interface UserRepository extends JpaRepository<User, Long>{ }
7c73da12b50dad7f3492f1184884a027752cf9e5
74634112b6b99e732bd653618eedd6ffeb6f51c4
/MiniTiktok/app/src/main/java/com/example/buaa/minitiktok/monindicator/ParamsCreator.java
3738e31364f4ba036aee72ed8a5f90037a6a2daf
[]
no_license
landNo7/bytedance-minidouyin
aacff2cbe067692c5556f04e50369a18a49241fe
23ebe0c9cc3b65f4f259cf192567eeaf0f596e17
refs/heads/master
2020-06-16T22:06:52.397533
2019-07-09T08:20:29
2019-07-09T08:20:29
195,717,309
0
1
null
null
null
null
UTF-8
Java
false
false
2,258
java
package com.example.buaa.minitiktok.monindicator; import android.content.Context; import android.util.DisplayMetrics; import android.view.WindowManager; public class ParamsCreator { private Context context; private int screenWidth;//屏幕宽度 private int screenHeight;//屏幕高度 private int densityDpi;//像素密度 public ParamsCreator(Context context){ this.context = context; WindowManager wm = (WindowManager) context.getSystemService(Context.WINDOW_SERVICE); screenWidth = wm.getDefaultDisplay().getWidth(); screenHeight = wm.getDefaultDisplay().getHeight(); DisplayMetrics metric = new DisplayMetrics(); wm.getDefaultDisplay().getMetrics(metric); densityDpi = metric.densityDpi; } /** * 获得默认圆的半径 */ public int getDefaultCircleRadius(){ if(screenWidth >= 1400){//1440 return 50; } if(screenWidth >= 1000){//1080 if(densityDpi >=480) return 48; if(densityDpi >= 320) return 48; return 48; } if(screenWidth >= 700){//720 if(densityDpi >= 320) return 34; if(densityDpi >= 240) return 34; if(densityDpi >= 160) return 34; return 34; } if(screenWidth >= 500){//540 if(densityDpi >= 320) return 30; if(densityDpi >= 240) return 30; if(densityDpi >= 160) return 30; return 30; } return 30; } /** * 获得默认圆的间距 */ public int getDefaultCircleSpacing(){ if(screenWidth >= 1400){//1440 return 12; } if(screenWidth >= 1000){//1080 if(densityDpi >=480) return 12; if(densityDpi >= 320) return 12; return 12; } if(screenWidth >= 700){//720 if(densityDpi >= 320) return 8; if(densityDpi >= 240) return 8; if(densityDpi >= 160) return 8; return 8; } if(screenWidth >= 500){//540 if(densityDpi >= 320) return 5; if(densityDpi >= 240) return 5; if(densityDpi >= 160) return 5; return 5; } return 5; } }
81e59f0bd5cb913c82a55095f37c64bdd0b29b51
5122a4619b344c36bfc969283076c12419f198ea
/src/test/java/com/snapwiz/selenium/tests/staf/learningspaces/testcases/anonymous/AbilityToEditQuestionText.java
bdce6e4212ab92b3a4783da328ae4c02c2fecda5
[]
no_license
mukesh89m/automation
0c1e8ff4e38e8e371cc121e64aacc6dc91915d3a
a0b4c939204af946cf7ca7954097660b2a0dfa8d
refs/heads/master
2020-05-18T15:30:22.681006
2018-06-09T15:14:11
2018-06-09T15:14:11
32,666,214
2
0
null
null
null
null
UTF-8
Java
false
false
2,540
java
package com.snapwiz.selenium.tests.staf.learningspaces.testcases.anonymous; import java.util.List; import org.openqa.selenium.By; import org.openqa.selenium.WebElement; import org.testng.Assert; import org.testng.annotations.AfterMethod; import org.testng.annotations.Test; import com.snapwiz.selenium.tests.staf.learningspaces.Driver; import com.snapwiz.selenium.tests.staf.learningspaces.apphelper.RandomString; import com.snapwiz.selenium.tests.staf.learningspaces.apphelper.Widget; public class AbilityToEditQuestionText extends Driver { @Test public void abilityToEditQuestionText() { try { startDriver("firefox"); new Widget().createWidgetAtTopicLevel(2120); //click on default text List<WebElement> widgetdefaulttext = driver.findElements(By.className("widget-content")); widgetdefaulttext.get(3).click(); //click on default text Thread.sleep(3000); String randomString = new RandomString().randomstring(3); //driver.findElement(By.cssSelector("div[class='tab-content-data editable']")).click(); Thread.sleep(3000); driver.findElement(By.cssSelector("div[class='tab-content-data editable']")).clear(); driver.switchTo().activeElement().sendKeys(randomString); List<WebElement> alltabs = driver.findElements(By.cssSelector("span[class='publisher-count discussion-widget-publisherIcons-bg discussion-widget-publisher-count-bg-holder']")); alltabs.get(1).click(); //click outside the textbox(clicked on tab) Thread.sleep(3000); List<WebElement> widgetdefaulttext1 = driver.findElements(By.className("widget-content")); widgetdefaulttext1.get(3).click(); //click on text Thread.sleep(3000); driver.switchTo().activeElement().sendKeys(randomString); //modify the question text List<WebElement> alltabs1 = driver.findElements(By.cssSelector("span[class='publisher-count discussion-widget-publisherIcons-bg discussion-widget-publisher-count-bg-holder']")); alltabs1.get(1).click(); //click outside the textbox(clicked on tab) Thread.sleep(3000); List<WebElement> allWidgetContent = driver.findElements(By.className("tab-content-data")); String str = allWidgetContent.get(1).getText().replaceAll("[\n\r]", ""); System.out.println("-->"+str); System.out.println("-->"+randomString+randomString); if(!str.trim().equals(randomString+randomString)) Assert.fail("Unable to modify a given a question text."); } catch(Exception e) { Assert.fail("Exception in abilityToEditQuestionText in AbilityToEditQuestionText class.",e); } } }
8fe48a03a688895ef0cd518febc9ca9c48a5fafe
e9d2801a869ab6bac7af7cb57dc490a7bd5796de
/src/test/java/br/com/alura/livrariaapi/LivrariaapiApplicationTests.java
e1c7e6a4b457e4a786fea865f6cb667efce1f86b
[]
no_license
grsn-educa/livrariaapi
1877a4177e33467ec5a0b2d8ef000e320fc5c5da
882c75a495c184247935005ec2881e8c995390b9
refs/heads/master
2023-08-19T18:01:29.382738
2021-10-13T12:16:39
2021-10-13T12:16:39
414,408,589
0
0
null
null
null
null
UTF-8
Java
false
false
221
java
package br.com.alura.livrariaapi; import org.junit.jupiter.api.Test; import org.springframework.boot.test.context.SpringBootTest; @SpringBootTest class LivrariaapiApplicationTests { @Test void contextLoads() { } }
[ "“[email protected]”" ]
de9f1d1d7e67bfcb48ad4d82709a019eddb251bb
ed6b03d685a6dc47dbd517cd5c54282f043dde84
/rainbow-layout/src/main/java/cn/edu/ruc/iir/rainbow/layout/sql/GenGroupedDDL.java
198d280fa80858162a59cf40039f7850f41223dc
[ "Apache-2.0" ]
permissive
ray6080/rainbow
b945c8211b74e52164664ed1afd152eaca622d92
b3fa403d45657d2c8463dee712ba93edb8ba22a6
refs/heads/master
2021-01-20T09:46:00.191500
2017-07-30T14:19:44
2017-07-30T14:19:44
90,284,602
0
0
null
2017-07-30T11:35:03
2017-05-04T16:21:43
Java
UTF-8
Java
false
false
1,803
java
package cn.edu.ruc.iir.rainbow.layout.sql; import cn.edu.ruc.iir.rainbow.common.util.OutputFactory; import java.io.BufferedWriter; import java.io.IOException; /** * Created by hank on 2015/3/22. */ public class GenGroupedDDL { public static void CreateGroupedText (String tableName, int groupSize) throws IOException { BufferedWriter writer = OutputFactory.Instance().getWriter("cord-generator/resources/sql/create_grouped_text.sql"); writer.write("create external table " + tableName + "\n(\n"); writer.write("s0 array<string>"); for (int i = 1; i <= (1187/groupSize); ++i) { writer.write(",\ns" + i + " array<string>"); } writer.write("\n)\n" + "ROW FORMAT DELIMITED\n" + "FIELDS TERMINATED BY '\\t'\n" + "COLLECTION ITEMS TERMINATED BY ':'\n" + "LOCATION '/ordered_grouped_text'"); writer.close(); } public static void CreateGroupedParq (String tableName, int groupSize) throws IOException { BufferedWriter writer = OutputFactory.Instance().getWriter("cord-generator/resources/sql/create_grouped_parq.sql"); writer.write("create external table " + tableName + "\n(\n"); writer.write("s0 array<string>"); for (int i = 1; i <= (1187/groupSize); ++i) { writer.write(",\ns" + i + " array<string>"); } writer.write("\n)\n" + "STORED AS PARQUET\n" + "LOCATION '/ordered_grouped_parq'"); writer.close(); } public static void main(String[] args) throws IOException { CreateGroupedText("grouped_text", 10); CreateGroupedParq("grouped_parq", 10); } }
3731130269eaa75a6b2c1f71632ec41e11bbea2f
dbf86fe97ba38a4138197715ba4b1ef00e2cd6c1
/src/main/java/tophashtagsmap/utils/MiscUtils.java
737c1d3652c6cc205f215da57146c9c3c15d2d12
[]
no_license
andreaiacono/TalkStorm
f7505254ac8fe295fe627433c606b052459dad4a
b4375672fc05788edfa270c442e4044f4657d0a6
refs/heads/master
2016-09-06T08:10:03.817579
2015-08-07T07:50:49
2015-08-07T07:50:49
28,351,530
6
0
null
null
null
null
UTF-8
Java
false
false
2,375
java
package tophashtagsmap.utils; import java.util.*; public class MiscUtils { /** * returns the hashtags contained in the tweet * * @param tweet * @return the hastags; an empty Set if no hashtags are contained in the tweet */ public static Set<String> getHashtags(String tweet) { Set<String> hashtags = new HashSet<>(); int found = 1; int index = 0; while (found > 0) { found = tweet.indexOf("#", index); if (found > 0) { int end = tweet.indexOf(" ", found + 1); if (end == -1) { end = tweet.length(); } String hashtag = tweet.substring(found, end); index = end; hashtags.add(hashtag); } } return hashtags; } /** * returns a Map with the n top hashtags used * * @param hashtags * @param n * @return */ public static Map<String, Long> getTopNHashtags(Map<String, Long> hashtags, int n) { Map<String, Long> sortedMap = sortByValue(hashtags); Map<String, Long> resultMap = new TreeMap<>(); int counter = 0; for (String key : sortedMap.keySet()) { resultMap.put(key, sortedMap.get(key)); if (++counter > n) break; } return resultMap; } private static <K, V extends Comparable<? super V>> Map<K, V> sortByValue(Map<K, V> map) { List<Map.Entry<K, V>> list = new LinkedList<>(map.entrySet()); Collections.sort(list, new Comparator<Map.Entry<K, V>>() { @Override public int compare(Map.Entry<K, V> o1, Map.Entry<K, V> o2) { return (o2.getValue()).compareTo(o1.getValue()); } }); Map<K, V> result = new LinkedHashMap<>(); for (Map.Entry<K, V> entry : list) { result.put(entry.getKey(), entry.getValue()); } return result; } public static <K, V> String mapToString(Map<K, V> map) { StringBuilder builder = new StringBuilder("{"); for (K key : map.keySet()) { builder.append(key.toString()).append(": ").append(map.get(key).toString()).append(", "); } builder.deleteCharAt(builder.length()-2); return builder.append("}").toString(); } }
814d099e24373b26abf1f69787a889c8f65e8ade
2d6f00ccca5d75262845ab189d16dfc9456335a2
/RestSpringUdemy/src/main/java/br/com/geek/utils/SimpleMath.java
d28209ee05ae2cd134b8150820597de790730309
[]
no_license
geekwx/RestWithSpringBootUdemy
53511981a2ee756d87c0d3284ebb7795e7b8e1cf
767165793a9b69731ebd9f2166b6c157c4beb3a3
refs/heads/master
2023-06-01T15:28:54.026098
2021-06-16T09:17:50
2021-06-16T09:17:50
375,456,720
0
0
null
null
null
null
UTF-8
Java
false
false
681
java
package br.com.geek.utils; public class SimpleMath { public Double sum(Double firstNumber, Double secondNumber) { return firstNumber + secondNumber; } public Double subtraction(Double firstNumber, Double secondNumber) { return firstNumber - secondNumber; } public Double multiplication(Double firstNumber, Double secondNumber) { return firstNumber * secondNumber; } public Double division(Double firstNumber, Double secondNumber) { return firstNumber / secondNumber; } public Double mean(Double firstNumber, Double secondNumber) { return (firstNumber + secondNumber)/2; } public Double squareRoot(Double number) { return (Double) Math.sqrt(number); } }