blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
7
410
content_id
stringlengths
40
40
detected_licenses
listlengths
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
684M
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
132 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
28 values
content
stringlengths
3
9.45M
authors
listlengths
1
1
author_id
stringlengths
0
352
b28b2d45abd9c1a2f223022661bf824e7999c763
2bfceea9099122c4729b6f9808959f0d00cb7be7
/Binary_Tree/BinTree.java
36b3a694b3eeea8970a189acc3d4d74bb153d95c
[]
no_license
Sam-Mumm/ads
e3cbd697e5979ea2ebf802a24f66ccd55a39d91c
e7be440f06804e41e93243ae83353089b8055560
refs/heads/master
2021-01-20T16:21:36.414450
2014-09-14T19:14:08
2014-09-14T19:14:08
null
0
0
null
null
null
null
UTF-8
Java
false
false
7,231
java
/** * Implementierung eines Binärbaumes * @author Dan Steffen * @version 0.1 */ public class BinTree { Node root=null; /** * Überprüft ob der Baum leer ist * @return liefert true falls der Baum leer ist, sonst false */ public boolean isEmpty() { if(root==null) { return true; } else { return false; } } /** * Sucht nach einem Schlüssel im Baum * @param x zu Suchender Schlüssel * @return liefert den gesuchten Schlüssel falls er existiert und sonst null */ public Node search(int x) { Node akt=root; while(akt!=null) { if(akt.getValue()==x) { return akt; } else if(x<akt.getValue()) { akt=akt.getLeftChild(); } else { akt=akt.getRightChild(); } } return akt; } /** * Fügt einen Schlüssel in den Baum ein * @param x fügt den Schlüssel x in den Baum ein */ public void insert(int x) { Node prev=root; Node akt=root; if(root==null) { root=new Node(x); } else { // Suche nach dem Elter-Knoten für den neuen Knoten while(akt!=null) { prev=akt; // Verzweigung in den Baum if(x<akt.getValue()) { akt=akt.getLeftChild(); } else { akt=akt.getRightChild(); } } // Einfügen des Knotens if(x<prev.getValue()) { prev.setLeftChild(new Node(x)); } else { prev.setRightChild(new Node(x)); } } } /** * Löscht einen Schlüssel aus dem Baum * @param x löscht den Schlüssel x aus dem Baum */ public void delete(int x) { Node akt=root; Node prev=null; Node tmpNode=null; int tmpKey=-1; // Suche nach dem Knoten mit dem Datum x while(akt!=null && akt.getValue()!=x) { prev=akt; if(x<akt.getValue()) { akt=akt.getLeftChild(); } else { akt=akt.getRightChild(); } } if(akt!=null) { // Der zu löschende Knoten ist ein Blatt if(akt.getLeftChild()==null && akt.getRightChild()==null) { // Überprüfung ob der zu löschende Knoten linkes oder rechtes Kind vom Elterknoten ist if(x<prev.getValue()) { prev.setLeftChild(null); } else { prev.setRightChild(null); } } else if(akt.getLeftChild()==null && akt.getRightChild()!=null) // Es existiert ein rechtes Kind { // Überprüfung ob der zu löschende Knoten linkes oder rechtes Kind vom Elterknoten ist if(x<prev.getValue()) { prev.setLeftChild(akt.getRightChild()); } else { prev.setRightChild(akt.getRightChild()); } } else if(akt.getLeftChild()!=null && akt.getRightChild()==null) // Es existiert ein linkes Kind { // Überprüfung ob der zu löschende Knoten linkes oder rechtes Kind vom Elterknoten ist if(x<prev.getValue()) { prev.setLeftChild(akt.getLeftChild()); } else { prev.setRightChild(akt.getLeftChild()); } } else // Es existiert ein linkes und ein rechtes Kind { tmpNode=akt; prev=akt; akt=akt.getLeftChild(); while(akt.getRightChild()!=null) { prev=akt; akt=akt.getRightChild(); } // Tausch der Schlüssel tmpKey=tmpNode.getValue(); tmpNode.setValue(akt.getValue()); akt.setValue(tmpKey); if(akt.getLeftChild()==null && akt.getRightChild()==null) { if(prev.getLeftChild()!=null && prev.getLeftChild().getValue()==x) { prev.setLeftChild(null); } else { prev.setRightChild(null); } } else if(akt.getLeftChild()==null && akt.getRightChild()!=null) { if(prev.getLeftChild()!=null && prev.getLeftChild().getValue()==x) { prev.setLeftChild(akt.getRightChild()); } else { prev.setRightChild(akt.getRightChild()); } } else if(akt.getLeftChild()!=null && akt.getRightChild()==null) { if(prev.getLeftChild()!=null && prev.getLeftChild().getValue()==x) { prev.setLeftChild(akt.getLeftChild()); } else { prev.setRightChild(akt.getLeftChild()); } } } } } /** * Tiefensuche auf dem Baum */ public void dfs() { this.dfs(root); } /** * Tiefensuche auf dem Baum mit einem konkreten Startknoten * @param akt Startknoten für die Tiefensuche */ private void dfs(Node akt) { // Falls der Knoten nocht nicht betrachtet worden ist if(!akt.isVisited()) { akt.isVisited(); System.out.print("Betrachteter Knoten "+akt.getValue()); // Ausgabe des Linken Kindes, falls vorhanden if(akt.getLeftChild()!=null) { System.out.println(); System.out.print("linkes Kind: "+akt.getLeftChild().getValue()); } // Ausgabe des rechten Kindes falls vorhanden if(akt.getRightChild()!=null) { System.out.println(); System.out.println("rechtes Kind: "+akt.getRightChild().getValue()); } if(akt.getLeftChild()==null && akt.getRightChild()==null) { System.out.println(": Blatt"); } System.out.println(); } // Besuch des linken Kindes falls es noch nicht betrachtet worden ist if(akt.getLeftChild()!=null && akt.getLeftChild().isVisited()==false) { this.dfs(akt.getLeftChild()); } // Besuch des rechten Kindes falls noch nicht betrachtet worden ist if(akt.getRightChild()!=null && akt.getRightChild().isVisited()==false) { this.dfs(akt.getRightChild()); } return; } class Node { Node leftChild=null; Node rightChild=null; int value=-1; boolean visited=false; /** * Erzeugt einen neune Knoten für den Baum * @param x */ public Node(int x) { value=x; } /** * Liefert die Referenz auf das linke Kind * @return linker Knoten falls er existiert sonst null */ public Node getLeftChild() { return leftChild; } /** * Setzt die Referenz für ein linkes Kind * @param leftChild zu setzende Referenz auf das linke Kind */ public void setLeftChild(Node leftChild) { this.leftChild = leftChild; } /** * Liefert die Referenz auf das rechte Kind * @return rechter Knoten falls er existiert sonst null */ public Node getRightChild() { return rightChild; } /** * Setzt die Referenz für ein rechte Kind * @param leftChild zu setzende Referenz auf das rechte Kind */ public void setRightChild(Node rightChild) { this.rightChild = rightChild; } /** * Liefert den Schlüssel des Knoten * @return Schlüssel des Knoten */ public int getValue() { return value; } /** * Setzt den Schlüssel für den Knoten * @param value neuer Schlüssel des Knoten */ public void setValue(int value) { this.value = value; } /** * Liefert eine Auskunft darüber ob der Knoten bei einem DFS durchlauf bereits besucht wurde * @return liefert true falls der Knoten besuchtwurde und sonst false */ public boolean isVisited() { return visited; } /** * Definiert ob der Knoten bereits einmal besucht wurde * @param visited Übergabe ob der Knoten bereits einmal besucht wurde */ public void setVisited(boolean visited) { this.visited = visited; } } }
[ "steffen@zeus" ]
steffen@zeus
eb00d548539366373121ab5b4b174b51508c2de6
ab822e5f473d6bc032f9b16ee4db6e8c2ec0cdc2
/app/src/main/java/com/ayushmaharjan/learning/experiments/MainActivity.java
5893cc4dbfbe06c39fcab95c465c797f230b9fd0
[]
no_license
iusmaharjan/Android-Experiments
f8f19b2923f541d4814be05c2615644624c17315
25de5a96e9ba2753b81381f3f92290f595979433
refs/heads/master
2021-01-10T10:24:20.042450
2016-03-10T05:33:53
2016-03-10T05:33:53
51,576,506
0
0
null
null
null
null
UTF-8
Java
false
false
931
java
package com.ayushmaharjan.learning.experiments; import android.content.Intent; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.util.Log; import android.view.View; import android.widget.TextView; import com.google.android.gms.auth.api.Auth; import com.google.android.gms.auth.api.signin.GoogleSignInAccount; import com.google.android.gms.auth.api.signin.GoogleSignInOptions; import com.google.android.gms.auth.api.signin.GoogleSignInResult; import com.google.android.gms.common.ConnectionResult; import com.google.android.gms.common.api.GoogleApiClient; import com.google.android.gms.common.api.ResultCallback; import com.google.android.gms.common.api.Status; public class MainActivity extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_main); } }
[ "ius.maharjan@gmail.com" ]
ius.maharjan@gmail.com
f0a4cfaf352e1cfb25b17c847afdde7505255bff
d3c637553b8a6dca549dbc7e7fd364881b786bcd
/common-utils/src/main/java/org/ditw/common/PrefixTreeD.java
daf39ef69631e115d2af55d3fde14dbe90ae0472
[]
no_license
dvvj/tus
f3d3b889373f0aba50efca96fbb0288e8854ffc0
f324793887318bceea6ad9254f255ab872fdebe8
refs/heads/master
2020-05-17T08:27:25.197751
2019-04-26T10:12:02
2019-04-26T10:12:02
183,606,611
0
0
null
null
null
null
UTF-8
Java
false
false
3,442
java
package org.ditw.common; import java.io.Serializable; import java.util.*; /** * Created by dev on 2018-10-26. */ public class PrefixTreeD<S, T> implements Serializable { private final Map<S, TrieD<S, T>> children; public final int maxDepth; protected PrefixTreeD(int maxDepth, Map<S, TrieD<S, T>> children) { this.children = children; this.maxDepth = maxDepth; } boolean find(S[] q) { if (q.length <= 0) throw new IllegalArgumentException("Empty input?"); else { S q0 = q[0]; if (children.containsKey(q0)) return children.get(q0).find(q, 0); else return false; } } public Set<ITrieItem<S, T>> allPrefixes(S[] q, int start) { if (q.length <= start) throw new IllegalArgumentException("Empty input?"); else { S q0 = q[start]; if (children.containsKey(q0)) { S[] q1 = q.length > start + maxDepth ? Arrays.copyOfRange(q, start, start + maxDepth) : Arrays.copyOfRange(q, start, q.length); return children.get(q0).allPrefixes(q1, 0); } else return new HashSet<>(0); } } private static <S, T> ITrieItem<S, T> defTrieItem(final S s, final T t, int len) { return new ITrieItem<S, T>() { @Override public S k() { return s; } @Override public T d() { return t; } @Override public int length() { return len; } }; } private static <S, T> Map<S, TrieD<S, T>> createFrom(Map<S[], T> input, int depth) { Map<S, Map<S[], T>> head2TailMap = new HashMap<>(); for (S[] i : input.keySet()) { S head = i[0]; T v = input.get(i); if (!head2TailMap.containsKey(head)) { head2TailMap.put(head, new HashMap<>()); } if (i.length >= 1) { head2TailMap.get(head).put( Arrays.copyOfRange(i, 1, i.length), v ); } } Map<S, TrieD<S, T>> res = new HashMap<>(head2TailMap.size()); for (S k : head2TailMap.keySet()) { Map<S[], T> tail = head2TailMap.get(k); Map<S[], T> nonEmptyTail = new HashMap<>(tail.size()); T v = null; for (S[] s : tail.keySet()) { if (s.length > 0) nonEmptyTail.put(s, tail.get(s)); else { v = tail.get(s); } } Map<S, TrieD<S, T>> children = createFrom(nonEmptyTail, depth+1); ITrieItem<S, T> item = defTrieItem(k, v, depth); TrieD<S, T> n = new TrieD<>(item, children); res.put(k, n); } return res; } public static <S, T> PrefixTreeD<S, T> createPrefixTree(Map<S[], T> input) { int maxDepth = Integer.MIN_VALUE; for (S[] i : input.keySet()) { if (maxDepth < i.length) maxDepth = i.length; } Map<S, TrieD<S, T>> children = createFrom(input, 1); return new PrefixTreeD<>(maxDepth, children); } }
[ "jiajiwu.icare@gmail.com" ]
jiajiwu.icare@gmail.com
c0d16805d96df1e8a46d295631a17bd5de247cf9
b2eda080b18e12a9491878332430eb3a6ecc454f
/components/sbm-support-jee/src/generated/ejb/java/org/springframework/sbm/jee/ejb/api/MultiplicityType.java
ac2724c5e24ce3383b220030dee1b1da54aa725e
[ "Apache-2.0", "LicenseRef-scancode-generic-cla" ]
permissive
spring-projects-experimental/spring-boot-migrator
300a3747ffc84b9654a1ee2abe8a7a5f1acf5a87
e8fcb8d47d898d86fcf24c25e2ed7f5e56cb0bae
refs/heads/main
2023-08-16T19:43:50.867155
2023-08-06T12:16:20
2023-08-06T12:16:20
460,537,559
341
77
Apache-2.0
2023-09-14T11:17:46
2022-02-17T17:26:36
Java
UTF-8
Java
false
false
1,726
java
/* * Copyright 2021 - 2022 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.springframework.sbm.jee.ejb.api; import javax.xml.bind.annotation.XmlAccessType; import javax.xml.bind.annotation.XmlAccessorType; import javax.xml.bind.annotation.XmlType; /** * * * The multiplicityType describes the multiplicity of the * role that participates in a relation. * * The value must be one of the two following: * * One * Many * * Support for entity beans is optional as of EJB 3.2. * * * * <p>Java class for multiplicityType complex type. * * <p>The following schema fragment specifies the expected content contained within this class. * * <pre> * &lt;complexType name="multiplicityType"&gt; * &lt;simpleContent&gt; * &lt;restriction base="&lt;http://xmlns.jcp.org/xml/ns/javaee&gt;string"&gt; * &lt;/restriction&gt; * &lt;/simpleContent&gt; * &lt;/complexType&gt; * </pre> * * */ @XmlAccessorType(XmlAccessType.FIELD) @XmlType(name = "multiplicityType") public class MultiplicityType extends String { }
[ "fkrueger@vmware.com" ]
fkrueger@vmware.com
5091e7016a51f8ddca5047cbc6022e8d8d122f1f
828bf1cf3c30df5fedc33d402fa02931d634b6bc
/TEST_CharityWare/src/staticResources/PasswordEncryption.java
c80778284c7bb20f2923be664bee791ab10712a2
[]
no_license
UCLAlexMartin/TestingWeek
b4e1ca2e3fc9548769dd0be4ad15ae6370a5906c
e419f26d620bbdcb3a2eec46760387ea9229e982
refs/heads/master
2020-05-16T23:16:42.532696
2013-02-08T11:03:11
2013-02-08T11:03:11
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,218
java
package staticResources; import java.math.BigInteger; import java.security.MessageDigest; import java.security.NoSuchAlgorithmException; public class PasswordEncryption { /** * @return a random salt */ public static String createSalt(){ String chars = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890"; String salt = ""; for(int x=0;x<10;x++) { int i = (int)Math.floor(Math.random() * 62); salt += chars.charAt(i); } return salt; } /** * @param word * @return the hash of word */ private static String hash(String word){ byte[] hash; String result; try{ MessageDigest md = MessageDigest.getInstance("SHA-256"); md.update(word.getBytes()); hash = md.digest(); // digest creation and conversion to hex result = new BigInteger(1, hash).toString(16); }catch(NoSuchAlgorithmException clr){ clr.printStackTrace(); result = "NoSuchAlgorithmException"; } return result; } /** * @param word * @param salt * @return the hash salted of word */ public static String encryptPassword(String password, String salt){ return hash(password+salt); } }
[ "yujishono@hotmail.com" ]
yujishono@hotmail.com
ff88caf0ec51be71ef6b20818df2db0d461bee66
b68a2842ea008852237f612cb0b94db211947696
/src/main/java/galerie/entity/Tableau.java
07200cee850635666a79ab99f4aea4947bc2a602
[]
no_license
Siversity/Galerie
136847074b07be3d8011f705c1b8a7a9054b074e
ef26f4f18b03c18cff3a64e63a0d9b370f817f00
refs/heads/master
2023-02-16T20:30:52.031226
2021-01-13T14:24:20
2021-01-13T14:24:20
327,311,819
0
0
null
null
null
null
UTF-8
Java
false
false
777
java
package galerie.entity; import java.util.LinkedList; import java.util.List; import javax.persistence.*; import lombok.*; @Getter @Setter @NoArgsConstructor @RequiredArgsConstructor @ToString @Entity public class Tableau { @Id @GeneratedValue(strategy = GenerationType.IDENTITY) private Integer id; @Column(unique=true) @NonNull private String title; @Column(length=255) @NonNull private String support; @NonNull private Integer largeur; @NonNull private Integer hauteur; @ManyToOne private Artiste auteur; @ManyToMany(mappedBy = "oeuvres") private List<Exposition> accrochage = new LinkedList<>(); @OneToOne(mappedBy = "oeuvre") private Transaction vendu; }
[ "81stephane@gmail.com" ]
81stephane@gmail.com
361e43d1a2a5eb299738a1c74b1f048860674e25
c9bf8341047cc07717cd2d8966aca2402f5f0158
/designPatterns/src/wyc/factoryMethod/BydFactory.java
f1a14a91ec49c02ce5ff086987b95356785c6abc
[]
no_license
wangyc0104/Java_DesignPatterns
5d6dda3a153fb1fcf3b4a3fbede6daf0d05d0bf0
e4c2664f3e9479c5337a38c845133c65b24a2f62
refs/heads/master
2020-05-24T07:45:16.093902
2019-08-12T12:33:48
2019-08-12T12:33:48
187,168,323
0
0
null
null
null
null
UTF-8
Java
false
false
150
java
package wyc.factoryMethod; public class BydFactory implements CarFactory { @Override public Car createCar() { return new Byd(); } }
[ "wangyc0104@126.com" ]
wangyc0104@126.com
4de3bb5b2b24a96b761a0f9f72978a33030ba0d4
dafdbbb0234b1f423970776259c985e6b571401f
/graphics/opengl/OpenGLESJavaLibraryM/src/main/java/org/allbinary/image/opengles/OpenGLESGL11ExtImage.java
6c7a9488774756c7946f1b46063347f179eff903
[ "LicenseRef-scancode-warranty-disclaimer" ]
no_license
biddyweb/AllBinary-Platform
3581664e8613592b64f20fc3f688dc1515d646ae
9b61bc529b0a5e2c647aa1b7ba59b6386f7900ad
refs/heads/master
2020-12-03T10:38:18.654527
2013-11-17T11:17:35
2013-11-17T11:17:35
null
0
0
null
null
null
null
UTF-8
Java
false
false
3,636
java
/* * AllBinary Open License Version 1 * Copyright (c) 2011 AllBinary * * By agreeing to this license you and any business entity you represent are * legally bound to the AllBinary Open License Version 1 legal agreement. * * You may obtain the AllBinary Open License Version 1 legal agreement from * AllBinary or the root directory of AllBinary's AllBinary Platform repository. * * Created By: Travis Berthelot * */ package org.allbinary.image.opengles; import javax.microedition.khronos.opengles.GL; import javax.microedition.khronos.opengles.GL10; import javax.microedition.khronos.opengles.GL11; import javax.microedition.khronos.opengles.GL11Ext; import javax.microedition.lcdui.Image; import org.allbinary.graphics.opengles.OpenGLLogUtil; import org.allbinary.graphics.opengles.TextureFactory; import abcs.logic.basic.string.CommonStrings; import abcs.logic.communication.log.LogFactory; import abcs.logic.communication.log.LogUtil; import allbinary.graphics.displayable.DisplayInfoSingleton; import allbinary.graphics.displayable.event.DisplayChangeEvent; //Many devices don't support this even though it is supposed to public class OpenGLESGL11ExtImage extends OpenGLESImage { // private IntBuffer rectParams; private int a; private final int[] rectangle; public OpenGLESGL11ExtImage(Image image) { super(image); this.onDisplayChangeEvent(null); rectangle = new int[] { 0, this.getHeight(), this.getWidth(), -this.getHeight() }; } /* public OpenGLESGL11ExtImage(GL10 gl, Image image, boolean matchColor) { super(gl, image, matchColor); this.onDisplayChangeEvent(null); rectangle = new int[] { 0, this.getHeight(), this.getWidth(), -this.getHeight() }; this.update(gl); } */ public void onDisplayChangeEvent(DisplayChangeEvent displayChangeEvent) { try { LogUtil.put(LogFactory.getInstance(CommonStrings.getInstance().START, this, "onResize")); this.a = DisplayInfoSingleton.getInstance().getLastHeight() - this.getHeight(); } catch(Exception e) { LogUtil.put(LogFactory.getInstance(CommonStrings.getInstance().EXCEPTION, this, "onResize", e)); } } public void set(GL gl) { this.onDisplayChangeEvent(null); GL11 gl11 = (GL11) gl; if (super.initTexture(gl11)) { // IntBuffer rectBB = IntBuffer.allocate(rect.length); // rectBB.order(); // rectParams = rectBB; // rectParams.put(rect); //if(!this.matchColor) //{ //gl.glTexEnvf(GL10.GL_TEXTURE_ENV, GL10.GL_TEXTURE_ENV_MODE, // GL10.GL_REPLACE); //((GL11) gl).glTexEnvi(GL10.GL_TEXTURE_ENV, GL10.GL_TEXTURE_ENV_MODE, // GL10.GL_REPLACE); //} TextureFactory.getInstance().load(GL10.GL_TEXTURE_2D, 0, this, 0); gl11.glTexParameteriv(GL10.GL_TEXTURE_2D, GL11Ext.GL_TEXTURE_CROP_RECT_OES, rectangle, 0); gl11.glDisable(GL10.GL_TEXTURE_2D); OpenGLLogUtil.getInstance().logError(gl11, this); } } public void draw(GL10 gl, int x, int y, int z) { gl.glEnable(GL10.GL_TEXTURE_2D); gl.glBindTexture(GL10.GL_TEXTURE_2D, textureID); //glDrawTexiOES ((GL11Ext) gl).glDrawTexfOES(x, a - y, z, this.getWidth(), this.getHeight()); gl.glDisable(GL10.GL_TEXTURE_2D); } }
[ "travisberthelot@hotmail.com" ]
travisberthelot@hotmail.com
4fa11eff3509bb249a9000761d6b1a35f311ecd2
128a75c5455097d5cfc33628433f2a8d49e826a7
/demos/flamingo-demo/src/main/java/org/pushingpixels/demo/flamingo/svg/filetypes/transcoded/ext_lit.java
5140938043266bcedc105833119bbb7e068e91e4
[ "BSD-3-Clause" ]
permissive
ankaufma/radiance
ac280665939c46b4017ed79ca6c0b212965939b0
536d42b0484a7d153069516ea6027b41739f65f9
refs/heads/master
2020-03-27T01:25:36.310738
2018-08-22T01:49:35
2018-08-22T01:49:35
145,709,324
0
0
BSD-3-Clause
2018-08-22T12:57:23
2018-08-22T12:57:23
null
UTF-8
Java
false
false
15,402
java
package org.pushingpixels.demo.flamingo.svg.filetypes.transcoded; import java.awt.*; import java.awt.geom.*; import javax.swing.plaf.UIResource; import org.pushingpixels.neon.icon.IsHiDpiAware; import org.pushingpixels.neon.icon.ResizableIcon; import org.pushingpixels.neon.icon.NeonIcon; import org.pushingpixels.neon.icon.NeonIconUIResource; /** * This class has been automatically generated using <a * href="https://github.com/kirill-grouchnikov/radiance">Ibis SVG transcoder</a>. */ public class ext_lit implements ResizableIcon, IsHiDpiAware { @SuppressWarnings("unused") private void innerPaint(Graphics2D g) { Shape shape = null; Paint paint = null; Stroke stroke = null; float origAlpha = 1.0f; Composite origComposite = g.getComposite(); if (origComposite instanceof AlphaComposite) { AlphaComposite origAlphaComposite = (AlphaComposite)origComposite; if (origAlphaComposite.getRule() == AlphaComposite.SRC_OVER) { origAlpha = origAlphaComposite.getAlpha(); } } AffineTransform defaultTransform_ = g.getTransform(); // g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0 = g.getTransform(); g.transform(new AffineTransform(0.009999999776482582f, 0.0f, 0.0f, 0.009999999776482582f, 0.13999999687075615f, -0.0f)); // _0 g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_0 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_0 paint = new LinearGradientPaint(new Point2D.Double(486.3114013671875, 644.1124877929688), new Point2D.Double(486.3103942871094, 742.0847778320312), new float[] {0.0f,0.005f,1.0f}, new Color[] {new Color(116, 45, 45, 255),new Color(130, 113, 0, 255),new Color(255, 238, 145, 255)}, MultipleGradientPaint.CycleMethod.NO_CYCLE, MultipleGradientPaint.ColorSpaceType.SRGB, new AffineTransform(1.0f, 0.0f, 0.0f, -1.0f, -450.0610046386719f, 743.1090087890625f)); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(45.3, 1.0); ((GeneralPath)shape).lineTo(72.4, 27.7); ((GeneralPath)shape).lineTo(72.4, 99.0); ((GeneralPath)shape).lineTo(0.1, 99.0); ((GeneralPath)shape).lineTo(0.1, 1.0); ((GeneralPath)shape).lineTo(45.3, 1.0); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); g.setTransform(defaultTransform__0_0); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_1 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_1 paint = new Color(0, 0, 0, 0); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(45.3, 1.0); ((GeneralPath)shape).lineTo(72.4, 27.7); ((GeneralPath)shape).lineTo(72.4, 99.0); ((GeneralPath)shape).lineTo(0.1, 99.0); ((GeneralPath)shape).lineTo(0.1, 1.0); ((GeneralPath)shape).lineTo(45.3, 1.0); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); paint = new Color(130, 113, 0, 255); stroke = new BasicStroke(2.0f,0,0,4.0f,null,0.0f); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(45.3, 1.0); ((GeneralPath)shape).lineTo(72.4, 27.7); ((GeneralPath)shape).lineTo(72.4, 99.0); ((GeneralPath)shape).lineTo(0.1, 99.0); ((GeneralPath)shape).lineTo(0.1, 1.0); ((GeneralPath)shape).lineTo(45.3, 1.0); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.setStroke(stroke); g.draw(shape); g.setTransform(defaultTransform__0_1); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_2 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_2 g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_2_0 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_2_0 paint = new Color(254, 254, 254, 255); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(21.4, 91.6); ((GeneralPath)shape).lineTo(21.4, 76.1); ((GeneralPath)shape).lineTo(24.6, 76.1); ((GeneralPath)shape).lineTo(24.6, 89.0); ((GeneralPath)shape).lineTo(32.5, 89.0); ((GeneralPath)shape).lineTo(32.5, 91.6); ((GeneralPath)shape).lineTo(21.4, 91.6); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); g.setTransform(defaultTransform__0_2_0); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_2_1 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_2_1 paint = new Color(254, 254, 254, 255); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(34.7, 91.6); ((GeneralPath)shape).lineTo(34.7, 76.0); ((GeneralPath)shape).lineTo(37.9, 76.0); ((GeneralPath)shape).lineTo(37.9, 91.6); ((GeneralPath)shape).lineTo(34.7, 91.6); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); g.setTransform(defaultTransform__0_2_1); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_2_2 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_2_2 paint = new Color(254, 254, 254, 255); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(44.5, 91.6); ((GeneralPath)shape).lineTo(44.5, 78.6); ((GeneralPath)shape).lineTo(39.8, 78.6); ((GeneralPath)shape).lineTo(39.8, 76.0); ((GeneralPath)shape).lineTo(52.4, 76.0); ((GeneralPath)shape).lineTo(52.4, 78.6); ((GeneralPath)shape).lineTo(47.7, 78.6); ((GeneralPath)shape).lineTo(47.7, 91.5); ((GeneralPath)shape).lineTo(44.5, 91.5); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); g.setTransform(defaultTransform__0_2_2); g.setTransform(defaultTransform__0_2); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_3 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_3 paint = new LinearGradientPaint(new Point2D.Double(305.1711120605469, 859.444091796875), new Point2D.Double(305.1711120605469, 814.6843872070312), new float[] {0.0f,1.0f}, new Color[] {new Color(170, 148, 0, 255),new Color(86, 74, 0, 255)}, MultipleGradientPaint.CycleMethod.NO_CYCLE, MultipleGradientPaint.ColorSpaceType.SRGB, new AffineTransform(0.9620000123977661f, 0.2720000147819519f, 0.2720000147819519f, -0.9620000123977661f, -484.9570007324219f, 762.6370239257812f)); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(62.7, 34.5); ((GeneralPath)shape).curveTo(62.4, 33.8, 62.0, 33.3, 61.4, 32.8); ((GeneralPath)shape).curveTo(61.300003, 33.3, 61.100002, 33.899998, 60.800003, 34.399998); ((GeneralPath)shape).lineTo(44.4, 59.6); ((GeneralPath)shape).curveTo(43.800003, 60.5, 42.4, 60.8, 41.4, 60.5); ((GeneralPath)shape).lineTo(15.300001, 53.2); ((GeneralPath)shape).curveTo(13.700001, 52.8, 11.900002, 51.9, 11.800001, 50.100002); ((GeneralPath)shape).curveTo(11.700001, 49.4, 11.800001, 49.2, 12.200001, 48.9); ((GeneralPath)shape).curveTo(12.6, 48.600002, 13.000001, 48.7, 13.400001, 48.800003); ((GeneralPath)shape).lineTo(38.0, 55.600002); ((GeneralPath)shape).curveTo(41.6, 56.600002, 42.6, 55.9, 45.2, 51.9); ((GeneralPath)shape).lineTo(60.2, 28.800001); ((GeneralPath)shape).curveTo(61.0, 27.6, 61.2, 26.2, 60.7, 25.000002); ((GeneralPath)shape).curveTo(60.3, 23.800001, 59.3, 22.900002, 57.9, 22.500002); ((GeneralPath)shape).lineTo(36.4, 16.500002); ((GeneralPath)shape).curveTo(35.9, 16.400002, 35.4, 16.400002, 34.9, 16.300001); ((GeneralPath)shape).lineTo(35.0, 16.2); ((GeneralPath)shape).curveTo(31.7, 14.200001, 30.4, 18.0, 28.7, 19.400002); ((GeneralPath)shape).curveTo(28.1, 19.900002, 27.2, 20.300001, 27.0, 20.800001); ((GeneralPath)shape).curveTo(26.8, 21.300001, 26.9, 21.800001, 26.7, 22.300001); ((GeneralPath)shape).curveTo(26.1, 23.7, 24.2, 26.1, 23.300001, 26.800001); ((GeneralPath)shape).curveTo(22.7, 27.2, 22.000002, 27.300001, 21.6, 27.900002); ((GeneralPath)shape).curveTo(21.300001, 28.300001, 21.4, 29.000002, 21.2, 29.600002); ((GeneralPath)shape).curveTo(20.7, 30.900002, 19.0, 33.100002, 17.800001, 34.2); ((GeneralPath)shape).curveTo(17.400002, 34.600002, 16.7, 34.9, 16.400002, 35.4); ((GeneralPath)shape).curveTo(16.100002, 35.800003, 16.2, 36.5, 15.900002, 37.0); ((GeneralPath)shape).curveTo(15.200002, 38.4, 13.600001, 40.4, 12.300001, 41.5); ((GeneralPath)shape).curveTo(11.600001, 42.1, 10.900002, 42.4, 10.600001, 43.1); ((GeneralPath)shape).curveTo(10.400002, 43.399998, 10.600001, 43.899998, 10.400002, 44.3); ((GeneralPath)shape).curveTo(10.1, 45.0, 9.8, 45.5, 9.6, 46.0); ((GeneralPath)shape).curveTo(8.900001, 47.0, 8.5, 48.2, 8.6, 49.6); ((GeneralPath)shape).curveTo(8.8, 52.8, 11.3, 55.899998, 14.1, 56.699997); ((GeneralPath)shape).lineTo(40.3, 64.0); ((GeneralPath)shape).curveTo(42.7, 64.7, 45.8, 63.5, 47.1, 61.4); ((GeneralPath)shape).lineTo(62.1, 38.300003); ((GeneralPath)shape).curveTo(62.9, 37.0, 63.1, 35.7, 62.7, 34.5); ((GeneralPath)shape).closePath(); ((GeneralPath)shape).moveTo(32.5, 26.2); ((GeneralPath)shape).lineTo(33.6, 24.6); ((GeneralPath)shape).curveTo(33.899998, 24.1, 34.6, 23.9, 35.0, 24.0); ((GeneralPath)shape).lineTo(52.2, 28.8); ((GeneralPath)shape).curveTo(52.7, 28.9, 52.9, 29.4, 52.600002, 29.9); ((GeneralPath)shape).lineTo(51.500004, 31.5); ((GeneralPath)shape).curveTo(51.200005, 32.0, 50.500004, 32.2, 50.100002, 32.1); ((GeneralPath)shape).lineTo(32.9, 27.3); ((GeneralPath)shape).curveTo(32.4, 27.1, 32.2, 26.6, 32.5, 26.2); ((GeneralPath)shape).closePath(); ((GeneralPath)shape).moveTo(28.1, 32.6); ((GeneralPath)shape).lineTo(29.2, 30.999998); ((GeneralPath)shape).curveTo(29.5, 30.499998, 30.2, 30.299997, 30.6, 30.399998); ((GeneralPath)shape).lineTo(47.800003, 35.199997); ((GeneralPath)shape).curveTo(48.300003, 35.299995, 48.500004, 35.799995, 48.200005, 36.299995); ((GeneralPath)shape).lineTo(47.100006, 37.899994); ((GeneralPath)shape).curveTo(46.800007, 38.399994, 46.100006, 38.599995, 45.700005, 38.499992); ((GeneralPath)shape).lineTo(28.500004, 33.699993); ((GeneralPath)shape).curveTo(28.0, 33.6, 27.8, 33.1, 28.1, 32.6); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); g.setTransform(defaultTransform__0_3); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_4 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_4 paint = new LinearGradientPaint(new Point2D.Double(495.4366149902344, 715.2711181640625), new Point2D.Double(508.9822998046875, 728.8176879882812), new float[] {0.0f,1.0f}, new Color[] {new Color(254, 234, 134, 255),new Color(134, 114, 0, 255)}, MultipleGradientPaint.CycleMethod.NO_CYCLE, MultipleGradientPaint.ColorSpaceType.SRGB, new AffineTransform(1.0f, 0.0f, 0.0f, -1.0f, -450.0610046386719f, 743.1090087890625f)); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(45.3, 1.0); ((GeneralPath)shape).lineTo(72.4, 27.7); ((GeneralPath)shape).lineTo(45.3, 27.7); ((GeneralPath)shape).lineTo(45.3, 1.0); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); g.setTransform(defaultTransform__0_4); g.setComposite(AlphaComposite.getInstance(3, 1.0f * origAlpha)); AffineTransform defaultTransform__0_5 = g.getTransform(); g.transform(new AffineTransform(1.0f, 0.0f, 0.0f, 1.0f, 0.0f, 0.0f)); // _0_5 paint = new Color(0, 0, 0, 0); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(45.3, 1.0); ((GeneralPath)shape).lineTo(72.4, 27.7); ((GeneralPath)shape).lineTo(45.3, 27.7); ((GeneralPath)shape).lineTo(45.3, 1.0); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.fill(shape); paint = new Color(130, 113, 0, 255); stroke = new BasicStroke(2.0f,0,1,4.0f,null,0.0f); shape = new GeneralPath(); ((GeneralPath)shape).moveTo(45.3, 1.0); ((GeneralPath)shape).lineTo(72.4, 27.7); ((GeneralPath)shape).lineTo(45.3, 27.7); ((GeneralPath)shape).lineTo(45.3, 1.0); ((GeneralPath)shape).closePath(); g.setPaint(paint); g.setStroke(stroke); g.draw(shape); g.setTransform(defaultTransform__0_5); g.setTransform(defaultTransform__0); g.setTransform(defaultTransform_); } /** * Returns the X of the bounding box of the original SVG image. * * @return The X of the bounding box of the original SVG image. */ public static double getOrigX() { return 0.13099999725818634; } /** * Returns the Y of the bounding box of the original SVG image. * * @return The Y of the bounding box of the original SVG image. */ public static double getOrigY() { return 0.0; } /** * Returns the width of the bounding box of the original SVG image. * * @return The width of the bounding box of the original SVG image. */ public static double getOrigWidth() { return 0.7437966465950012; } /** * Returns the height of the bounding box of the original SVG image. * * @return The height of the bounding box of the original SVG image. */ public static double getOrigHeight() { return 1.0; } /** The current width of this resizable icon. */ private int width; /** The current height of this resizable icon. */ private int height; /** * Creates a new transcoded SVG image. It is recommended to use the * {@link #of(int, int)} method to obtain a pre-configured instance. */ public ext_lit() { this.width = (int) getOrigWidth(); this.height = (int) getOrigHeight(); } @Override public int getIconHeight() { return height; } @Override public int getIconWidth() { return width; } @Override public void setDimension(Dimension newDimension) { this.width = newDimension.width; this.height = newDimension.height; } @Override public boolean isHiDpiAware() { return true; } @Override public void paintIcon(Component c, Graphics g, int x, int y) { Graphics2D g2d = (Graphics2D) g.create(); g2d.setRenderingHint(RenderingHints.KEY_ANTIALIASING, RenderingHints.VALUE_ANTIALIAS_ON); g2d.translate(x, y); double coef1 = (double) this.width / getOrigWidth(); double coef2 = (double) this.height / getOrigHeight(); double coef = Math.min(coef1, coef2); g2d.clipRect(0, 0, this.width, this.height); g2d.scale(coef, coef); g2d.translate(-getOrigX(), -getOrigY()); if (coef1 != coef2) { if (coef1 < coef2) { int extraDy = (int) ((getOrigWidth() - getOrigHeight()) / 2.0); g2d.translate(0, extraDy); } else { int extraDx = (int) ((getOrigHeight() - getOrigWidth()) / 2.0); g2d.translate(extraDx, 0); } } Graphics2D g2ForInner = (Graphics2D) g2d.create(); innerPaint(g2ForInner); g2ForInner.dispose(); g2d.dispose(); } /** * Returns an instance of this icon with specified dimensions. */ public static NeonIcon of(int width, int height) { ext_lit base = new ext_lit(); base.width = width; base.height = height; return new NeonIcon(base); } /** * Returns a {@link UIResource} instance of this icon with specified dimensions. */ public static NeonIconUIResource uiResourceOf(int width, int height) { ext_lit base = new ext_lit(); base.width = width; base.height = height; return new NeonIconUIResource(base); } }
[ "kirill.grouchnikov@gmail.com" ]
kirill.grouchnikov@gmail.com
1184fbaaa797b4247096188831929bb12e7feb00
a5dbeadebfd268a529d6a012fb23dc0b635f9b8c
/core/src/main/java/ru/mipt/cybersecurity/pqc/asn1/XMSSMTPublicKey.java
3f07ada5021a55fd8f2921b4797c701153176838
[ "LicenseRef-scancode-unknown-license-reference", "MIT" ]
permissive
skhvostyuk/CyberSecurity
22f6a272e38b56bfb054aae0dd7aa03bc96b6d06
33ea483df41973984d0edbe47a20201b204150aa
refs/heads/master
2021-08-29T04:44:31.041415
2017-12-13T12:15:29
2017-12-13T12:15:29
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,162
java
package ru.mipt.cybersecurity.pqc.asn1; import java.math.BigInteger; import ru.mipt.cybersecurity.asn1.ASN1EncodableVector; import ru.mipt.cybersecurity.asn1.ASN1Integer; import ru.mipt.cybersecurity.asn1.ASN1Object; import ru.mipt.cybersecurity.asn1.ASN1Primitive; import ru.mipt.cybersecurity.asn1.ASN1Sequence; import ru.mipt.cybersecurity.asn1.DEROctetString; import ru.mipt.cybersecurity.asn1.DERSequence; import ru.mipt.cybersecurity.util.Arrays; /** * XMSSMTPublicKey * <pre> * XMSSMTPublicKey ::= SEQUENCE { * version INTEGER -- 0 * publicSeed OCTET STRING * root OCTET STRING * } * </pre> */ public class XMSSMTPublicKey extends ASN1Object { private final byte[] publicSeed; private final byte[] root; public XMSSMTPublicKey(byte[] publicSeed, byte[] root) { this.publicSeed = Arrays.clone(publicSeed); this.root = Arrays.clone(root); } private XMSSMTPublicKey(ASN1Sequence seq) { if (!ASN1Integer.getInstance(seq.getObjectAt(0)).getValue().equals(BigInteger.valueOf(0))) { throw new IllegalArgumentException("unknown version of sequence"); } this.publicSeed = Arrays.clone(DEROctetString.getInstance(seq.getObjectAt(1)).getOctets()); this.root = Arrays.clone(DEROctetString.getInstance(seq.getObjectAt(2)).getOctets()); } public static XMSSMTPublicKey getInstance(Object o) { if (o instanceof XMSSMTPublicKey) { return (XMSSMTPublicKey)o; } else if (o != null) { return new XMSSMTPublicKey(ASN1Sequence.getInstance(o)); } return null; } public byte[] getPublicSeed() { return Arrays.clone(publicSeed); } public byte[] getRoot() { return Arrays.clone(root); } public ASN1Primitive toASN1Primitive() { ASN1EncodableVector v = new ASN1EncodableVector(); v.add(new ASN1Integer(0)); // version v.add(new DEROctetString(publicSeed)); v.add(new DEROctetString(root)); return new DERSequence(v); } }
[ "hvostuksergey@gmail.com" ]
hvostuksergey@gmail.com
846b57badd062ebfdd194872b1df239f4726e9de
b0a5853ea901fb0e64a75d7c81b683b4c5534720
/BOOK_DB_TEST/src/Book.java
fed6be8df17fbfaa3851951c692a719ade1015e1
[]
no_license
jiminyang-code/yoon-403-
9c338bf7bab9dcc293e87dec413b32385f743a7b
72f66ffe4a4348f4d1b1ebb0bdd4e526b40b29b2
refs/heads/master
2022-11-09T22:14:48.311068
2020-06-24T05:59:54
2020-06-24T05:59:54
274,587,364
0
0
null
null
null
null
UHC
Java
false
false
305
java
//4.클래스 만들기(독립 클래스) public class Book{ //1.멤버변수 int bookid; String bookname; String publisher; int price; //3.메소드 만들기 void printBook() { System.out.println(this.bookid+"\t" +bookname+"\t\t" +publisher+"\t\t" +price); } }
[ "jiminyang4@gmail.com" ]
jiminyang4@gmail.com
8e994f82f9735c2222fe140631e59caeb5f888b8
4b1b0e922e2e3323c32e87033cb3b704f93e48de
/src/algoritmos/BubbleSort.java
913a7a0c9005f59b7b2e763bc690c5bfdd751cba
[]
no_license
ferrazandre/analisedealgoritmos
19008da2c00c5f8d938e35d7c25b443162e1b492
9f9c0d43f4d705db52f3bc3b003ddbdd1bfbd496
refs/heads/main
2023-07-13T13:05:59.279020
2021-08-18T00:09:14
2021-08-18T00:09:14
390,088,686
0
0
null
null
null
null
UTF-8
Java
false
false
807
java
package algoritmos; import gerador.Atributos; public class BubbleSort extends Atributos { public void execute(int[] vetor) { boolean troca = true; trocaChave = 0; testeChave = 0; iniciar(); for (int i = 1; (i < vetor.length) && (troca); i++) { troca = false; for (int j = 0; j < vetor.length - 1; j++) { testeChave++; if (vetor[j] > vetor[j + 1]) { int aux; aux = vetor[j]; vetor[j] = vetor[j + 1]; vetor[j + 1] = aux; troca = true; trocaChave+=2; } } } finalizar(); } public void run(int[] vetor) { execute(vetor); System.out.println("---- Bubble Sort ---- \nTempo de Processamento: " + (finalDoTeste - inicioDoTeste) + " milissegundos \nTestes de Chaves: " + testeChave + " \nTrocas de Chaves: " + trocaChave + "\n"); } }
[ "55859517+ferrazandre@users.noreply.github.com" ]
55859517+ferrazandre@users.noreply.github.com
9e457bdba4c6e17b8f674d332d8462be136811a0
40c68e84472db7fff4233f87c7e8244bbf5ec198
/main/plugins/org.talend.hadoop.distribution.cdh5x/src/org/talend/hadoop/distribution/cdh5x/modulegroup/node/sparkstreaming/CDH5xSparkStreamingParquetNodeModuleGroup.java
9bfb3a0f5f77c69bbb5687c8a84ac6151975bd06
[ "Apache-2.0" ]
permissive
windofthesky/tbd-studio-se
df11ba5fe98128430dca27f17646d54744ab6d54
1c3cb4a8fadf2c75ddea6ba37d03002de0ce1984
refs/heads/master
2021-08-17T00:10:53.746533
2017-11-20T09:21:22
2017-11-20T09:21:22
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,973
java
// ============================================================================ // // Copyright (C) 2006-2016 Talend Inc. - www.talend.com // // This source code is available under agreement available at // %InstallDIR%\features\org.talend.rcp.branding.%PRODUCTNAME%\%PRODUCTNAME%license.txt // // You should have received a copy of the agreement // along with this program; if not, write to Talend SA // 9 rue Pages 92150 Suresnes, France // // ============================================================================ package org.talend.hadoop.distribution.cdh5x.modulegroup.node.sparkstreaming; import java.util.HashSet; import java.util.Set; import org.talend.hadoop.distribution.DistributionModuleGroup; import org.talend.hadoop.distribution.cdh5x.CDH5xConstant; import org.talend.hadoop.distribution.cdh5x.modulegroup.node.AbstractNodeModuleGroup; import org.talend.hadoop.distribution.condition.common.SparkStreamingLinkedNodeCondition; import org.talend.hadoop.distribution.dynamic.adapter.DynamicPluginAdapter; public class CDH5xSparkStreamingParquetNodeModuleGroup extends AbstractNodeModuleGroup { public CDH5xSparkStreamingParquetNodeModuleGroup(DynamicPluginAdapter pluginAdapter) { super(pluginAdapter); } public Set<DistributionModuleGroup> getModuleGroups(String distribution, String version) throws Exception { Set<DistributionModuleGroup> hs = new HashSet<>(); DynamicPluginAdapter pluginAdapter = getPluginAdapter(); String sparkParquetMrRequiredRuntimeId = pluginAdapter .getRuntimeModuleGroupIdByTemplateId(CDH5xConstant.SPARK_PARQUET_MRREQUIRED_MODULE_GROUP.getModuleName()); checkRuntimeId(sparkParquetMrRequiredRuntimeId); DistributionModuleGroup dmg = new DistributionModuleGroup(sparkParquetMrRequiredRuntimeId, true, new SparkStreamingLinkedNodeCondition(distribution, version).getCondition()); hs.add(dmg); return hs; } }
[ "cmeng@talend.com" ]
cmeng@talend.com
23bf2eccd3a548246f674b505b89debd90a06cae
9b3b53eeaaddbdcb14627f36fc5340905e59f959
/src/main/java/com/emp/model/domain/Payment.java
978c806e67ac3af64f5038f7f59d11c8b58afbaa
[]
no_license
renanuness/Tax-Manager
4ac0484df4d2b84fd9bf6ebe4efaf6b1d77d83df
6d327262bf4f7eb8d8b2bfe8546dab6ad0128389
refs/heads/master
2021-08-31T16:44:48.167652
2017-12-22T04:04:40
2017-12-22T04:04:40
115,075,231
0
0
null
null
null
null
UTF-8
Java
false
false
1,021
java
package com.emp.model.domain; import java.time.LocalDate; public class Payment { private int idPayment; private Employee employee; private LocalDate datePayment; private int hours; private float payRate; public Payment(){} public int getIdPayment() { return idPayment; } public void setIdPayment(int idPayment) { this.idPayment = idPayment; } public Employee getEmployee() { return employee; } public void setEmployee(Employee employee) { this.employee = employee; } public LocalDate getDatePayment() { return datePayment; } public void setDatePayment(LocalDate datePayment) { this.datePayment = datePayment; } public int getHours() { return hours; } public void setHours(int hours) { this.hours = hours; } public float getPayRate() { return payRate; } public void setPayRate(float payRate) { this.payRate = payRate; } }
[ "renan1504@gmail.com" ]
renan1504@gmail.com
75c2f871095544a7e31253bcc242c2fd8a60ee4e
3bddd8413a89c2e8cf76f905f1cd340d5e612571
/app/src/androidTest/java/com/anwesome/games/spinnclone/ApplicationTest.java
01288ebb2792758a10ac0de3e3262897772cddf8
[]
no_license
Anwesh43/SpinnClone
7d46474c86b2cdb052b4597678624cca2fafc1f6
e136afaf268aa946bfab7d91cc62253a190437b2
refs/heads/master
2021-01-19T23:47:12.897320
2017-03-03T10:55:15
2017-03-03T10:55:15
83,789,050
0
0
null
null
null
null
UTF-8
Java
false
false
360
java
package com.anwesome.games.spinnclone; import android.app.Application; import android.test.ApplicationTestCase; /** * <a href="http://d.android.com/tools/testing/testing_android.html">Testing Fundamentals</a> */ public class ApplicationTest extends ApplicationTestCase<Application> { public ApplicationTest() { super(Application.class); } }
[ "anweshthecool0@gmail.com" ]
anweshthecool0@gmail.com
bd7a42e45f9ad2fba827cc440887fc200c063bf7
54e929a85a82ef596da72f620ede4d6334375c68
/src/main/java/eu/pawelsz/apache/beam/coders/Tuple13Coder.java
a9a464723a80cac025eedb05441a8744ab4ef1e7
[ "MIT" ]
permissive
orian/tuple-coder
f71a3c1e57368d116393c0be9dee6ce0b7c3d30b
5080c90c95a8ec65cc8e7b76803d7f5d6e26f8a5
refs/heads/master
2021-08-15T23:48:55.536928
2021-06-18T09:47:45
2021-06-18T09:47:45
59,775,779
0
1
MIT
2021-06-18T09:47:45
2016-05-26T19:01:54
Java
UTF-8
Java
false
false
12,265
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. */ // -------------------------------------------------------------- // THIS IS A GENERATED SOURCE FILE. DO NOT EDIT! // GENERATED FROM eu.pawelsz.apache.beam.coders.TupleCoderGenerator. // -------------------------------------------------------------- package eu.pawelsz.apache.beam.coders; import org.apache.beam.sdk.coders.Coder; import org.apache.beam.sdk.coders.CoderException; import org.apache.beam.sdk.coders.StructuredCoder; import org.apache.beam.sdk.util.common.ElementByteSizeObserver; import org.apache.beam.sdk.values.TypeDescriptor; import org.apache.beam.sdk.values.TypeParameter; import org.apache.flink.api.java.tuple.Tuple13; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.util.Arrays; import java.util.List; public class Tuple13Coder<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> extends StructuredCoder<Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12>> { public static <T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> Tuple13Coder<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> of( Coder<T0> t0, Coder<T1> t1, Coder<T2> t2, Coder<T3> t3, Coder<T4> t4, Coder<T5> t5, Coder<T6> t6, Coder<T7> t7, Coder<T8> t8, Coder<T9> t9, Coder<T10> t10, Coder<T11> t11, Coder<T12> t12) { return new Tuple13Coder<>(t0, t1, t2, t3, t4, t5, t6, t7, t8, t9, t10, t11, t12); } public static <T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> List<Object> getInstanceComponents( Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> exampleValue) { return Arrays.asList( exampleValue.f0, exampleValue.f1, exampleValue.f2, exampleValue.f3, exampleValue.f4, exampleValue.f5, exampleValue.f6, exampleValue.f7, exampleValue.f8, exampleValue.f9, exampleValue.f10, exampleValue.f11, exampleValue.f12); } public Coder<T0> getF0Coder() { return t0Coder; } public Coder<T1> getF1Coder() { return t1Coder; } public Coder<T2> getF2Coder() { return t2Coder; } public Coder<T3> getF3Coder() { return t3Coder; } public Coder<T4> getF4Coder() { return t4Coder; } public Coder<T5> getF5Coder() { return t5Coder; } public Coder<T6> getF6Coder() { return t6Coder; } public Coder<T7> getF7Coder() { return t7Coder; } public Coder<T8> getF8Coder() { return t8Coder; } public Coder<T9> getF9Coder() { return t9Coder; } public Coder<T10> getF10Coder() { return t10Coder; } public Coder<T11> getF11Coder() { return t11Coder; } public Coder<T12> getF12Coder() { return t12Coder; } private final Coder<T0> t0Coder; private final Coder<T1> t1Coder; private final Coder<T2> t2Coder; private final Coder<T3> t3Coder; private final Coder<T4> t4Coder; private final Coder<T5> t5Coder; private final Coder<T6> t6Coder; private final Coder<T7> t7Coder; private final Coder<T8> t8Coder; private final Coder<T9> t9Coder; private final Coder<T10> t10Coder; private final Coder<T11> t11Coder; private final Coder<T12> t12Coder; private Tuple13Coder( Coder<T0> t0Coder, Coder<T1> t1Coder, Coder<T2> t2Coder, Coder<T3> t3Coder, Coder<T4> t4Coder, Coder<T5> t5Coder, Coder<T6> t6Coder, Coder<T7> t7Coder, Coder<T8> t8Coder, Coder<T9> t9Coder, Coder<T10> t10Coder, Coder<T11> t11Coder, Coder<T12> t12Coder) { this.t0Coder = t0Coder; this.t1Coder = t1Coder; this.t2Coder = t2Coder; this.t3Coder = t3Coder; this.t4Coder = t4Coder; this.t5Coder = t5Coder; this.t6Coder = t6Coder; this.t7Coder = t7Coder; this.t8Coder = t8Coder; this.t9Coder = t9Coder; this.t10Coder = t10Coder; this.t11Coder = t11Coder; this.t12Coder = t12Coder; } @Override public void encode(Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> tuple, OutputStream outStream) throws CoderException, IOException { if (tuple == null) { throw new CoderException("cannot encode a null Tuple13"); } t0Coder.encode(tuple.f0, outStream); t1Coder.encode(tuple.f1, outStream); t2Coder.encode(tuple.f2, outStream); t3Coder.encode(tuple.f3, outStream); t4Coder.encode(tuple.f4, outStream); t5Coder.encode(tuple.f5, outStream); t6Coder.encode(tuple.f6, outStream); t7Coder.encode(tuple.f7, outStream); t8Coder.encode(tuple.f8, outStream); t9Coder.encode(tuple.f9, outStream); t10Coder.encode(tuple.f10, outStream); t11Coder.encode(tuple.f11, outStream); t12Coder.encode(tuple.f12, outStream); } @Override public Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> decode(InputStream inputStream) throws CoderException, IOException { T0 f0 = t0Coder.decode(inputStream); T1 f1 = t1Coder.decode(inputStream); T2 f2 = t2Coder.decode(inputStream); T3 f3 = t3Coder.decode(inputStream); T4 f4 = t4Coder.decode(inputStream); T5 f5 = t5Coder.decode(inputStream); T6 f6 = t6Coder.decode(inputStream); T7 f7 = t7Coder.decode(inputStream); T8 f8 = t8Coder.decode(inputStream); T9 f9 = t9Coder.decode(inputStream); T10 f10 = t10Coder.decode(inputStream); T11 f11 = t11Coder.decode(inputStream); T12 f12 = t12Coder.decode(inputStream); return Tuple13.of(f0, f1, f2, f3, f4, f5, f6, f7, f8, f9, f10, f11, f12); } @Override public List<? extends Coder<?>> getCoderArguments() { return Arrays.asList(t0Coder, t1Coder, t2Coder, t3Coder, t4Coder, t5Coder, t6Coder, t7Coder, t8Coder, t9Coder, t10Coder, t11Coder, t12Coder); } @Override public void verifyDeterministic() throws NonDeterministicException { verifyDeterministic(t0Coder, "Coder of T0 must be deterministic"); verifyDeterministic(t1Coder, "Coder of T1 must be deterministic"); verifyDeterministic(t2Coder, "Coder of T2 must be deterministic"); verifyDeterministic(t3Coder, "Coder of T3 must be deterministic"); verifyDeterministic(t4Coder, "Coder of T4 must be deterministic"); verifyDeterministic(t5Coder, "Coder of T5 must be deterministic"); verifyDeterministic(t6Coder, "Coder of T6 must be deterministic"); verifyDeterministic(t7Coder, "Coder of T7 must be deterministic"); verifyDeterministic(t8Coder, "Coder of T8 must be deterministic"); verifyDeterministic(t9Coder, "Coder of T9 must be deterministic"); verifyDeterministic(t10Coder, "Coder of T10 must be deterministic"); verifyDeterministic(t11Coder, "Coder of T11 must be deterministic"); verifyDeterministic(t12Coder, "Coder of T12 must be deterministic"); } @Override public boolean consistentWithEquals() { return t0Coder.consistentWithEquals() && t1Coder.consistentWithEquals() && t2Coder.consistentWithEquals() && t3Coder.consistentWithEquals() && t4Coder.consistentWithEquals() && t5Coder.consistentWithEquals() && t6Coder.consistentWithEquals() && t7Coder.consistentWithEquals() && t8Coder.consistentWithEquals() && t9Coder.consistentWithEquals() && t10Coder.consistentWithEquals() && t11Coder.consistentWithEquals() && t12Coder.consistentWithEquals(); } @Override public Object structuralValue(Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> tuple) { if (consistentWithEquals()) { return tuple; } else { return Tuple13.of( t0Coder.structuralValue(tuple.f0), t1Coder.structuralValue(tuple.f1), t2Coder.structuralValue(tuple.f2), t3Coder.structuralValue(tuple.f3), t4Coder.structuralValue(tuple.f4), t5Coder.structuralValue(tuple.f5), t6Coder.structuralValue(tuple.f6), t7Coder.structuralValue(tuple.f7), t8Coder.structuralValue(tuple.f8), t9Coder.structuralValue(tuple.f9), t10Coder.structuralValue(tuple.f10), t11Coder.structuralValue(tuple.f11), t12Coder.structuralValue(tuple.f12)); } } @Override public boolean isRegisterByteSizeObserverCheap(Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> tuple) { return t0Coder.isRegisterByteSizeObserverCheap(tuple.f0) && t1Coder.isRegisterByteSizeObserverCheap(tuple.f1) && t2Coder.isRegisterByteSizeObserverCheap(tuple.f2) && t3Coder.isRegisterByteSizeObserverCheap(tuple.f3) && t4Coder.isRegisterByteSizeObserverCheap(tuple.f4) && t5Coder.isRegisterByteSizeObserverCheap(tuple.f5) && t6Coder.isRegisterByteSizeObserverCheap(tuple.f6) && t7Coder.isRegisterByteSizeObserverCheap(tuple.f7) && t8Coder.isRegisterByteSizeObserverCheap(tuple.f8) && t9Coder.isRegisterByteSizeObserverCheap(tuple.f9) && t10Coder.isRegisterByteSizeObserverCheap(tuple.f10) && t11Coder.isRegisterByteSizeObserverCheap(tuple.f11) && t12Coder.isRegisterByteSizeObserverCheap(tuple.f12); } @Override public void registerByteSizeObserver(Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12> tuple, ElementByteSizeObserver observer) throws Exception { if (tuple == null) { throw new CoderException("cannot encode a null Tuple13 "); } t0Coder.registerByteSizeObserver(tuple.f0, observer); t1Coder.registerByteSizeObserver(tuple.f1, observer); t2Coder.registerByteSizeObserver(tuple.f2, observer); t3Coder.registerByteSizeObserver(tuple.f3, observer); t4Coder.registerByteSizeObserver(tuple.f4, observer); t5Coder.registerByteSizeObserver(tuple.f5, observer); t6Coder.registerByteSizeObserver(tuple.f6, observer); t7Coder.registerByteSizeObserver(tuple.f7, observer); t8Coder.registerByteSizeObserver(tuple.f8, observer); t9Coder.registerByteSizeObserver(tuple.f9, observer); t10Coder.registerByteSizeObserver(tuple.f10, observer); t11Coder.registerByteSizeObserver(tuple.f11, observer); t12Coder.registerByteSizeObserver(tuple.f12, observer); } @Override public TypeDescriptor<Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12>> getEncodedTypeDescriptor() { return new TypeDescriptor<Tuple13<T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, T12>>() {} .where(new TypeParameter<T0>() {}, t0Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T1>() {}, t1Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T2>() {}, t2Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T3>() {}, t3Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T4>() {}, t4Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T5>() {}, t5Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T6>() {}, t6Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T7>() {}, t7Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T8>() {}, t8Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T9>() {}, t9Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T10>() {}, t10Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T11>() {}, t11Coder.getEncodedTypeDescriptor()) .where(new TypeParameter<T12>() {}, t12Coder.getEncodedTypeDescriptor()); } }
[ "pawelszczur@gmail.com" ]
pawelszczur@gmail.com
43352f7a600ea09d2488bc8046abf75f2ad9f149
1a81408767bb8251431ff742d5be0a454bb3c658
/Week7-15/DivideTwoIntegers.java
399f8ab6fedebd5a2ce70d72b10a03149fe2d66a
[]
no_license
taihangy/LeetCode
c44824d83eac4d98e665898036259d79cbfe9804
9f2e47b40d4442b7bdc02b521396e9500a0fa3dc
refs/heads/master
2021-01-18T21:32:57.110143
2016-02-17T00:05:54
2016-02-17T00:05:54
32,369,428
1
1
null
null
null
null
UTF-8
Java
false
false
1,901
java
public class DivideTwoIntegers{ //通过减法做,超时 public int divide(int dividend, int divisor) { if(dividend==0&&divisor!=0) return 0; if(divisor==0) return dividend<0?Integer.MIN_VALUE:Integer.MAX_VALUE; boolean isNeg=false; if(dividend<0&&divisor>0) isNeg=true; else if(dividend>0&&divisor<0) isNeg=true; dividend=Math.abs(dividend); divisor=Math.abs(divisor); int res=0; while(dividend>=divisor){ dividend-=divisor; res++; } return isNeg?-res:res; } //整数可以表示为a0*2^0+a1*2^1+...+an*2^n,因此我们就可以先将除数左移到小于被除数之前的那个基 //比如10/2,那么现将被除数右移一位(这样才能保证除数左移最大也不会超过被除数),然后将除数不断左移直至大于它,记录下左移位数 //被除数减去最大的除数,res加上1左移对应的位数,每次结束后除数要右移1位,位数要减一 public int divide(int dividend, int divisor) { if(divisor==0){ return Integer.MAX_VALUE; } boolean isNeg=(dividend^divisor)>>>31==1; int res=0; if(dividend==Integer.MIN_VALUE){ dividend+=Math.abs(divisor); if(divisor==-1){ return Integer.MAX_VALUE; } res++; } if(divisor==Integer.MIN_VALUE) return res; int digit=0; dividend=Math.abs(dividend); divisor=Math.abs(divisor); while(divisor<=(dividend>>1)){ divisor<<=1; digit++; } while(digit>=0){ if(dividend>=divisor){ res+=1<<digit; dividend-=divisor; } divisor>>=1; digit--; } return isNeg?-res:res; } }
[ "yetaihang.zju@gmail.com" ]
yetaihang.zju@gmail.com
c674852ec0fcb1482fc2e143ee6a86b71363fe84
ef5a07540b361e5d9cf5dc213651e4ea050f5acb
/spring-boot-jooq/src/main/java/example/jooq/databases/Mydb.java
a8218be4df83e22e08e2691210093c0e7f2057fd
[]
no_license
LeasyZhang/spring-boot-example
19faab160139007c84e560786ace4cc776d6739d
f0edea2d665595b58f4334fe25462dabd9a0c417
refs/heads/master
2023-03-18T23:52:30.772169
2023-03-05T07:58:36
2023-03-05T07:58:36
189,132,444
2
1
null
2021-09-03T00:29:14
2019-05-29T01:59:57
Java
UTF-8
Java
false
true
2,640
java
/* * This file is generated by jOOQ. */ package example.jooq.databases; import example.jooq.databases.tables.A; import example.jooq.databases.tables.Account; import example.jooq.databases.tables.Author; import example.jooq.databases.tables.AuthorBook; import example.jooq.databases.tables.B; import example.jooq.databases.tables.Book; import example.jooq.databases.tables.T; import example.jooq.databases.tables.T1; import example.jooq.databases.tables.T2; import example.jooq.databases.tables.Weather; import java.util.Arrays; import java.util.List; import org.jooq.Catalog; import org.jooq.Table; import org.jooq.impl.SchemaImpl; /** * This class is generated by jOOQ. */ @SuppressWarnings({ "all", "unchecked", "rawtypes" }) public class Mydb extends SchemaImpl { private static final long serialVersionUID = 1L; /** * The reference instance of <code>mydb</code> */ public static final Mydb MYDB = new Mydb(); /** * The table <code>mydb.a</code>. */ public final A A = example.jooq.databases.tables.A.A; /** * The table <code>mydb.account</code>. */ public final Account ACCOUNT = Account.ACCOUNT; /** * The table <code>mydb.author</code>. */ public final Author AUTHOR = Author.AUTHOR; /** * The table <code>mydb.author_book</code>. */ public final AuthorBook AUTHOR_BOOK = AuthorBook.AUTHOR_BOOK; /** * The table <code>mydb.b</code>. */ public final B B = example.jooq.databases.tables.B.B; /** * The table <code>mydb.book</code>. */ public final Book BOOK = Book.BOOK; /** * The table <code>mydb.t</code>. */ public final T T = example.jooq.databases.tables.T.T; /** * The table <code>mydb.t1</code>. */ public final T1 T1 = example.jooq.databases.tables.T1.T1; /** * The table <code>mydb.t2</code>. */ public final T2 T2 = example.jooq.databases.tables.T2.T2; /** * The table <code>mydb.weather</code>. */ public final Weather WEATHER = Weather.WEATHER; /** * No further instances allowed */ private Mydb() { super("mydb", null); } @Override public Catalog getCatalog() { return DefaultCatalog.DEFAULT_CATALOG; } @Override public final List<Table<?>> getTables() { return Arrays.<Table<?>>asList( A.A, Account.ACCOUNT, Author.AUTHOR, AuthorBook.AUTHOR_BOOK, B.B, Book.BOOK, T.T, T1.T1, T2.T2, Weather.WEATHER); } }
[ "joe.zhang@ringcentral.com" ]
joe.zhang@ringcentral.com
c16b328fa53c27220a87556b4cb8d0cb65892634
c355eb6b3f08d24165faec7918c3861a87add551
/PingPOSCore/src/main/java/com/walmart/pingpos/annotations/Reload.java
91abcb7403871461791907d47b312cac0916e910
[]
no_license
naveenupadhyay/PingPOS
37c43baa0d6544bde730ee31753ec3bdbf2d2911
b557585f2dba462b73c7be4cf5c7773d601b6d4a
refs/heads/master
2021-01-10T07:02:49.362850
2016-04-20T09:20:24
2016-04-20T09:20:24
55,281,936
0
0
null
null
null
null
UTF-8
Java
false
false
449
java
package com.walmart.pingpos.annotations; import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; @Target({ElementType.METHOD, ElementType.TYPE}) @Retention(RetentionPolicy.RUNTIME) public @interface Reload { int MIN_REPEAT_TIME_IN_MINUTE() default 0; int MIN_REPEAT_TIME_IN_HOUR() default 0; String[] CACHE_GROUP() default {}; }
[ "cbhardwaj@walmartlabs.com" ]
cbhardwaj@walmartlabs.com
03648bf033b40b93f275ff5d33932aa81bf1eee7
2e4b44571e0dd01ce5817a524974994ba6c19ef9
/src/java/simpledb/Predicate.java
c42bac6b898e4d04457e45bd610449285c348549
[]
no_license
anwar6953/cs186-proj4
e3a278883ca24af2d3f679d9f08863dab304ee9c
c418216fc9ebc6bc99301548f3f97121c8f093de
refs/heads/master
2016-09-15T18:23:39.228158
2013-11-23T07:14:25
2013-11-23T07:14:25
null
0
0
null
null
null
null
UTF-8
Java
false
false
3,424
java
package simpledb; import java.io.Serializable; /** * Predicate compares tuples to a specified Field value. */ public class Predicate implements Serializable { private int m_field; private Op m_op; private Field m_operand; private static final long serialVersionUID = 1L; /** Constants used for return codes in Field.compare */ public enum Op implements Serializable { EQUALS, GREATER_THAN, LESS_THAN, LESS_THAN_OR_EQ, GREATER_THAN_OR_EQ, LIKE, NOT_EQUALS; /** * Interface to access operations by a string containing an integer * index for command-line convenience. * * @param s * a string containing a valid integer Op index */ public static Op getOp(String s) { return getOp(Integer.parseInt(s)); } /** * Interface to access operations by integer value for command-line * convenience. * * @param i * a valid integer Op index */ public static Op getOp(int i) { return values()[i]; } public String toString() { if (this == EQUALS) return "="; if (this == GREATER_THAN) return ">"; if (this == LESS_THAN) return "<"; if (this == LESS_THAN_OR_EQ) return "<="; if (this == GREATER_THAN_OR_EQ) return ">="; if (this == LIKE) return "like"; if (this == NOT_EQUALS) return "<>"; throw new IllegalStateException("impossible to reach here"); } } /** * Constructor. * * @param field * field number of passed in tuples to compare against. * @param op * operation to use for comparison * @param operand * field value to compare passed in tuples to */ public Predicate(int field, Op op, Field operand) { // some code goes here m_field = field; m_op = op; m_operand = operand; } /** * @return the field number */ public int getField() { // some code goes here return m_field; } /** * @return the operator */ public Op getOp() { // some code goes here return m_op; } /** * @return the operand */ public Field getOperand() { // some code goes here return m_operand; } /** * Compares the field number of t specified in the constructor to the * operand field specified in the constructor using the operator specific in * the constructor. The comparison can be made through Field's compare * method. * * @param t * The tuple to compare against * @return true if the comparison is true, false otherwise. */ public boolean filter(Tuple t) { // some code goes here return t.getField(getField()).compare(getOp(), getOperand()); } /** * Returns something useful, like "f = field_id op = op_string operand = * operand_string */ public String toString() { // some code goes here return "f = " + Integer.toString(getField()) + ", op = " + getOp().toString() + "operand = " + getOperand().toString(); } }
[ "mynameisalianwar@gmail.com" ]
mynameisalianwar@gmail.com
2de81e94608dbd42a60440b32e2050b4db847757
ac927978740a5e6da5d6fb0ece180ac61f34327c
/instrument_migration/src/main/java/com/bank/instrument/rule/AbstractMappingRule.java
f388cb962730fe5d8c80a7d8d690a0f9aa281fab
[]
no_license
HaultHuang/instrument_migration
21428d6f38a887b3bf5a54c2f4408cf3fa1a5202
80a4de63394147794e33c5ccf2cec1b4b97b8c5d
refs/heads/master
2020-05-18T23:47:13.031816
2019-05-04T15:14:13
2019-05-04T15:14:13
184,720,301
1
0
null
2019-05-04T15:14:14
2019-05-03T08:08:56
null
UTF-8
Java
false
false
8,498
java
package com.bank.instrument.rule; import com.bank.instrument.dto.ExchangePublishDto; import com.bank.instrument.dto.InternalPublishDto; import com.bank.instrument.dto.PublishDto; import com.bank.instrument.dto.base.BasePublishDto; import com.bank.instrument.rule.enums.MappingKeyEnum; import java.lang.reflect.Method; import java.util.Collection; import java.util.List; import java.util.Map; import java.util.Map.Entry; import java.util.concurrent.ConcurrentHashMap; import java.util.stream.Collectors; public abstract class AbstractMappingRule implements Rule { private Map<MappingKeyEnum, MappingKeyEnum> mappingRules = new ConcurrentHashMap<>(); /** * publish external publish into internal * * @param externalPublishDto * @param internalPublishes */ @Override public void publishByRules(BasePublishDto externalPublishDto, Collection<InternalPublishDto> internalPublishes) { // match existing internal publishes by rules List<InternalPublishDto> existInternalPublishDtos = matchInternalPublishByRules(externalPublishDto, internalPublishes); // merge external publish dto into internal by rules if (!existInternalPublishDtos.isEmpty()) { existInternalPublishDtos.forEach(existInternalPublishDto -> mergeToInternalPublishes(externalPublishDto, internalPublishes, existInternalPublishDto) ); } else { mergeToInternalPublishes(externalPublishDto, internalPublishes, null); } } /** * Merge external publish into internal * * @param externalPublishDto * @param internalPublishes * @param existInternalPublishDto */ private void mergeToInternalPublishes(BasePublishDto externalPublishDto, Collection<InternalPublishDto> internalPublishes, InternalPublishDto existInternalPublishDto) { if (externalPublishDto instanceof ExchangePublishDto) { ExchangePublishDto exchangePublishDto = (ExchangePublishDto) externalPublishDto; if (existInternalPublishDto != null) { existInternalPublishDto.setTradable(exchangePublishDto.isTradable()); } else { InternalPublishDto internalPublishDto = new InternalPublishDto(); internalPublishDto.setLastTradingDate(exchangePublishDto.getLastTradingDate()); internalPublishDto.setDeliveryDate(exchangePublishDto.getDeliveryDate()); internalPublishDto.setMarket(exchangePublishDto.getMarket()); internalPublishDto.setLabel(exchangePublishDto.getLabel()); internalPublishDto.setTradable(exchangePublishDto.isTradable()); internalPublishDto.setPublishCode(exchangePublishDto.getPublishCode()); internalPublishes.add(internalPublishDto); } } else if (externalPublishDto instanceof PublishDto) { PublishDto publishDto = (PublishDto) externalPublishDto; if (existInternalPublishDto != null) { existInternalPublishDto.setDeliveryDate(publishDto.getDeliveryDate()); existInternalPublishDto.setLastTradingDate(publishDto.getLastTradingDate()); } else { InternalPublishDto internalPublishDto = new InternalPublishDto(); internalPublishDto.setLastTradingDate(publishDto.getLastTradingDate()); internalPublishDto.setDeliveryDate(publishDto.getDeliveryDate()); internalPublishDto.setMarket(publishDto.getMarket()); internalPublishDto.setLabel(publishDto.getLabel()); internalPublishDto.setTradable(true); internalPublishDto.setPublishCode(publishDto.getPublishCode()); internalPublishes.add(internalPublishDto); } } } /** * Match all internal publishes that meet with the rules * * @param externalPublishDto * @param internalPublishes * @return the list of internal publishes */ @Override public List<InternalPublishDto> matchInternalPublishByRules(BasePublishDto externalPublishDto, Collection<InternalPublishDto> internalPublishes) { return internalPublishes.stream().filter(internalPublishDto -> ruleFilter(externalPublishDto, internalPublishDto)) .collect(Collectors.toList()); } /** * filter internal publishes by mapping rule * * @param externalPublishDto the external publish dto * @param internalPublishDto the internal publish dto * @return if the basePublishDto match any internal publishes */ private boolean ruleFilter(BasePublishDto externalPublishDto, InternalPublishDto internalPublishDto) { Map<MappingKeyEnum, MappingKeyEnum> rules = getMappingRules(); boolean allRulesMatched = true; for (Entry<MappingKeyEnum, MappingKeyEnum> ruleEntry : rules.entrySet()) { String internalKey = ruleEntry.getKey().getKey(); String externalKey = ruleEntry.getValue().getKey(); try { Class<?> internalClazz = Class.forName(InternalPublishDto.class.getName()); Method internalMethod; try { internalMethod = internalClazz.getDeclaredMethod(internalKey); } catch (Exception e) { internalMethod = internalClazz.getSuperclass().getDeclaredMethod(internalKey); } Object internalMapKey = internalMethod.invoke(internalPublishDto); Object externalMapKey = getExternalMappingKey(externalPublishDto, externalKey); // if there is a mapping rule for exchange publishByRules // then it doesn't fit for normal publishByRules(for example: exchangeCode) // so the externalMappingKey might not be found // in that way, mark externalMappingKey as null // and ignore the mapping rule if (externalMapKey == null) { continue; } if (!(internalMapKey != null && externalMapKey != null && internalMapKey.equals(externalMapKey))) { allRulesMatched = false; break; } } catch (Exception e) { allRulesMatched = false; break; } } return allRulesMatched; } /** * Get external publish's mapping key by rule's key * * @param basePublishDto * @param externalKey * @return the mapping key's value */ private String getExternalMappingKey(BasePublishDto basePublishDto, String externalKey) { String externalMappingKey = null; try { if (basePublishDto instanceof ExchangePublishDto) { Class<?> externalClazz = Class.forName(ExchangePublishDto.class.getName()); Method externalMethod; try { externalMethod = externalClazz.getDeclaredMethod(externalKey); } catch (Exception e) { externalMethod = externalClazz.getSuperclass().getDeclaredMethod(externalKey); } externalMappingKey = (String) externalMethod.invoke(basePublishDto); } else if (basePublishDto instanceof PublishDto) { Class<?> externalClazz = Class.forName(ExchangePublishDto.class.getName()); Method externalMethod = null; try { externalMethod = externalClazz.getDeclaredMethod(externalKey); } catch (Exception e) { externalMethod = externalClazz.getSuperclass().getDeclaredMethod(externalKey); } externalMappingKey = (String) externalMethod.invoke(basePublishDto); } } catch (Exception e) { } return externalMappingKey; } @Override public void addMappingRule(MappingKeyEnum internalMappingKey, MappingKeyEnum externalMappingKey) { this.mappingRules.put(internalMappingKey, externalMappingKey); } @Override public Map<MappingKeyEnum, MappingKeyEnum> getMappingRules() { return mappingRules; } @Override public void setMappingRules(Map<MappingKeyEnum, MappingKeyEnum> mappingRules) { this.mappingRules = mappingRules; } }
[ "1032774144@qq.com" ]
1032774144@qq.com
5c9d88600ac3de0ae86f3d612f3ca9864101bea7
15cdb6a1d614c1406cc069e1c312dfd935eb9c16
/src/jsckson/Views.java
c96407689fdff4eb4aae870d8500eba3df1e0085
[]
no_license
ahmedmar3y2017/Jackson
cd93cccb5944e811afd02d363fe70e54202298a1
90204a80edf480ffc01821771a4674867213e800
refs/heads/master
2021-01-20T09:45:48.456305
2017-05-05T06:16:34
2017-05-05T06:16:34
90,284,240
0
0
null
null
null
null
UTF-8
Java
false
false
141
java
package jsckson; public class Views { public static class Normal { }; public static class Manager extends Normal { }; }
[ "ahmedmar3y108@gmail.com" ]
ahmedmar3y108@gmail.com
84df128f66e7c86dff75443488e388cca7b73d6a
81072453f31d67699d2b691f7bcd157f34b4c1d8
/EmployeeManagement/PAF_G11_Project/CustomerManagementService/src/com/CustomerService.java
ce4eb808b9476e49e3c6e4c0be11140a0745eac2
[]
no_license
Aflal721/PAF_G11_Project
6b29e4323b72c28b823c87a2b3ad5dbb6ae91507
49f739bbb029b13b1e37f2ace49ade65616c744a
refs/heads/master
2023-04-09T12:03:30.619975
2021-04-23T03:57:16
2021-04-23T03:57:16
360,657,163
0
0
null
null
null
null
UTF-8
Java
false
false
2,096
java
package com; import model.Customer; //For REST Service import javax.ws.rs.*; import javax.ws.rs.core.MediaType; //For JSON import com.google.gson.*; //For XML import org.jsoup.*; import org.jsoup.parser.*; import org.jsoup.nodes.Document; @Path("/Customer") public class CustomerService { Customer Obj = new Customer(); @GET @Path("/") @Produces(MediaType.TEXT_HTML) public String readItems() { return Obj.readItems(); } @POST @Path("/") @Consumes(MediaType.APPLICATION_FORM_URLENCODED) @Produces(MediaType.TEXT_PLAIN) public String insertItem(@FormParam("customerPassword") String customerPassword, @FormParam("customerName") String customerName, @FormParam("customerPhone") String customerPhone, @FormParam("customerEmail") String customerEmail) { String output = Obj.insertcustomerdetails(customerPassword, customerName, customerPhone, customerEmail); return output; } @PUT @Path("/") @Consumes(MediaType.APPLICATION_JSON) @Produces(MediaType.TEXT_PLAIN) public String updateItem(String itemData) { //Convert the input string to a JSON object JsonObject Object = new JsonParser().parse(itemData).getAsJsonObject(); //Read the values from the JSON object String customerID = Object.get("customerID").getAsString(); String customerPassword = Object.get("customerPassword").getAsString(); String customerName = Object.get("customerName").getAsString(); String customerPhone = Object.get("customerPhone").getAsString(); String customerEmail = Object.get("customerEmail").getAsString(); String output = Obj.updatecustomerdetails(customerID, customerPassword, customerName, customerPhone, customerEmail); return output; } @DELETE @Path("/") @Consumes(MediaType.APPLICATION_XML) @Produces(MediaType.TEXT_PLAIN) public String deleteItem(String itemData) { //Convert the input string to an XML document Document doc = Jsoup.parse(itemData, "", Parser.xmlParser()); //Read the value from the element <itemID> String customerID = doc.select("customerID").text(); String output = Obj.deleteItem(customerID); return output; } }
[ "HP@DESKTOP-HR6E80K" ]
HP@DESKTOP-HR6E80K
208081982a0bafbdf9af7b67a3fe7a039be6c6e8
6705090be434f6b7c89d2d96ad4566470b78a951
/src/main/java/org/apache/ojb/broker/metadata/MetadataConfiguration.java
f5f53eecaf98fc8ab7c309456c4a24864aaa2b0b
[]
no_license
Hooorny/ojb-java11
ca5046bc057e896e505afdc8aa3b4f5869b82b8a
b8a7d3676b4db6e0bbc18e25062fb974cf8dadde
refs/heads/master
2023-01-31T20:40:59.386744
2020-12-13T13:15:08
2020-12-13T13:15:08
321,066,809
0
0
null
null
null
null
UTF-8
Java
false
false
871
java
package org.apache.ojb.broker.metadata; /* Copyright 2002-2005 The Apache Software Foundation * * 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. */ public interface MetadataConfiguration { /** * If true OJB use a serialized version of the repository * configuration file for repetition read. */ public boolean useSerializedRepository(); }
[ "bjoern@agel-rosen.de" ]
bjoern@agel-rosen.de
b64d7d9c19a2248386e61773874d303019b883e8
9e97f2c9948b7f14e3f402e174adee06faea0eec
/src/main/java/br/indie/fiscal4j/nfe310/webservices/WSCancelamento.java
faf2106b4796159c1a02c5d301d211c36003f2c3
[ "Apache-2.0" ]
permissive
andrauz/fiscal4j
1d16a4d56275c9fa50499fb9204fd60445ffd201
fe5558337a389f807040d92a6d140d4a2fa937d4
refs/heads/master
2020-04-25T01:13:47.253714
2019-02-15T19:29:18
2019-02-15T19:29:18
null
0
0
null
null
null
null
UTF-8
Java
false
false
6,203
java
package br.indie.fiscal4j.nfe310.webservices; import br.indie.fiscal4j.DFModelo; import br.indie.fiscal4j.assinatura.AssinaturaDigital; import br.indie.fiscal4j.nfe.NFeConfig; import br.indie.fiscal4j.nfe310.classes.NFAutorizador31; import br.indie.fiscal4j.nfe310.classes.evento.NFEnviaEventoRetorno; import br.indie.fiscal4j.nfe310.classes.evento.cancelamento.NFEnviaEventoCancelamento; import br.indie.fiscal4j.nfe310.classes.evento.cancelamento.NFEventoCancelamento; import br.indie.fiscal4j.nfe310.classes.evento.cancelamento.NFInfoCancelamento; import br.indie.fiscal4j.nfe310.classes.evento.cancelamento.NFInfoEventoCancelamento; import br.indie.fiscal4j.nfe310.parsers.NotaFiscalChaveParser; import br.indie.fiscal4j.nfe310.webservices.gerado.RecepcaoEventoStub; import br.indie.fiscal4j.nfe310.webservices.gerado.RecepcaoEventoStub.NfeCabecMsg; import br.indie.fiscal4j.nfe310.webservices.gerado.RecepcaoEventoStub.NfeCabecMsgE; import br.indie.fiscal4j.nfe310.webservices.gerado.RecepcaoEventoStub.NfeDadosMsg; import br.indie.fiscal4j.nfe310.webservices.gerado.RecepcaoEventoStub.NfeRecepcaoEventoResult; import br.indie.fiscal4j.persister.DFPersister; import org.apache.axiom.om.OMElement; import org.apache.axiom.om.util.AXIOMUtil; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import java.math.BigDecimal; import java.time.ZonedDateTime; import java.util.Collections; class WSCancelamento { private static final String DESCRICAO_EVENTO = "Cancelamento"; private static final BigDecimal VERSAO_LEIAUTE = new BigDecimal("1.00"); private static final String EVENTO_CANCELAMENTO = "110111"; private static final Logger LOGGER = LoggerFactory.getLogger(WSCancelamento.class); private final NFeConfig config; WSCancelamento(final NFeConfig config) { this.config = config; } NFEnviaEventoRetorno cancelaNotaAssinada(final String chaveAcesso, final String eventoAssinadoXml) throws Exception { final OMElement omElementResult = this.efetuaCancelamento(eventoAssinadoXml, chaveAcesso); return new DFPersister().read(NFEnviaEventoRetorno.class, omElementResult.toString()); } NFEnviaEventoRetorno cancelaNota(final String chaveAcesso, final String numeroProtocolo, final String motivo) throws Exception { final String cancelamentoNotaXML = this.gerarDadosCancelamento(chaveAcesso, numeroProtocolo, motivo).toString(); final String xmlAssinado = new AssinaturaDigital(this.config).assinarDocumento(cancelamentoNotaXML); final OMElement omElementResult = this.efetuaCancelamento(xmlAssinado, chaveAcesso); return new DFPersister().read(NFEnviaEventoRetorno.class, omElementResult.toString()); } private OMElement efetuaCancelamento(final String xmlAssinado, final String chaveAcesso) throws Exception { final RecepcaoEventoStub.NfeCabecMsg cabecalho = new NfeCabecMsg(); cabecalho.setCUF(this.config.getCUF().getCodigoIbge()); cabecalho.setVersaoDados(WSCancelamento.VERSAO_LEIAUTE.toPlainString()); final RecepcaoEventoStub.NfeCabecMsgE cabecalhoE = new NfeCabecMsgE(); cabecalhoE.setNfeCabecMsg(cabecalho); final RecepcaoEventoStub.NfeDadosMsg dados = new NfeDadosMsg(); final OMElement omElementXML = AXIOMUtil.stringToOM(xmlAssinado); WSCancelamento.LOGGER.debug(omElementXML.toString()); dados.setExtraElement(omElementXML); final NotaFiscalChaveParser parser = new NotaFiscalChaveParser(chaveAcesso); final NFAutorizador31 autorizador = NFAutorizador31.valueOfChaveAcesso(chaveAcesso); final String urlWebService = DFModelo.NFCE.equals(parser.getModelo()) ? autorizador.getNfceRecepcaoEvento(this.config.getAmbiente()) : autorizador.getRecepcaoEvento(this.config.getAmbiente()); if (urlWebService == null) { throw new IllegalArgumentException("Nao foi possivel encontrar URL para RecepcaoEvento " + parser.getModelo().name() + ", autorizador " + autorizador.name()); } final NfeRecepcaoEventoResult nfeRecepcaoEvento = new RecepcaoEventoStub(urlWebService).nfeRecepcaoEvento(dados, cabecalhoE); final OMElement omElementResult = nfeRecepcaoEvento.getExtraElement(); WSCancelamento.LOGGER.debug(omElementResult.toString()); return omElementResult; } private NFEnviaEventoCancelamento gerarDadosCancelamento(final String chaveAcesso, final String numeroProtocolo, final String motivo) { final NotaFiscalChaveParser chaveParser = new NotaFiscalChaveParser(chaveAcesso); final NFInfoCancelamento cancelamento = new NFInfoCancelamento(); cancelamento.setDescricaoEvento(WSCancelamento.DESCRICAO_EVENTO); cancelamento.setVersao(WSCancelamento.VERSAO_LEIAUTE); cancelamento.setJustificativa(motivo); cancelamento.setProtocoloAutorizacao(numeroProtocolo); final NFInfoEventoCancelamento infoEvento = new NFInfoEventoCancelamento(); infoEvento.setAmbiente(this.config.getAmbiente()); infoEvento.setChave(chaveAcesso); infoEvento.setCnpj(chaveParser.getCnpjEmitente()); infoEvento.setDataHoraEvento(ZonedDateTime.now(this.config.getTimeZone().toZoneId())); infoEvento.setId(String.format("ID%s%s0%s", WSCancelamento.EVENTO_CANCELAMENTO, chaveAcesso, "1")); infoEvento.setNumeroSequencialEvento(1); infoEvento.setOrgao(chaveParser.getNFUnidadeFederativa()); infoEvento.setCodigoEvento(WSCancelamento.EVENTO_CANCELAMENTO); infoEvento.setVersaoEvento(WSCancelamento.VERSAO_LEIAUTE); infoEvento.setCancelamento(cancelamento); final NFEventoCancelamento evento = new NFEventoCancelamento(); evento.setInfoEvento(infoEvento); evento.setVersao(WSCancelamento.VERSAO_LEIAUTE); final NFEnviaEventoCancelamento enviaEvento = new NFEnviaEventoCancelamento(); enviaEvento.setEvento(Collections.singletonList(evento)); enviaEvento.setIdLote(Long.toString(ZonedDateTime.now(this.config.getTimeZone().toZoneId()).toInstant().toEpochMilli())); enviaEvento.setVersao(WSCancelamento.VERSAO_LEIAUTE); return enviaEvento; } }
[ "jeferson.hck@gmail.com" ]
jeferson.hck@gmail.com
f04a06d6f9ac6aadbad4f1a9596baa75916dba7c
ab3da3705f46751a35d4ca207458136d4e15b720
/modules/web/src/it/nexbit/cuba/security/userprofile/web/companions/UserEditProfileCompanion.java
e1fd7e4e1c25c8efc918394f5ab0c3222ab5d9cf
[ "Apache-2.0" ]
permissive
innovaringenieria/cuba-component-user-profile
547a4342ef76aecd82f3eeb61684570e9e69ef11
5350b7bc0c290dbaeff9b41b86a2ad5f3717cd6d
refs/heads/master
2020-03-11T03:17:12.024558
2017-10-30T17:09:30
2017-10-30T17:09:30
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,116
java
/* * Copyright (c) 2017 Nexbit di Paolo Furini */ package it.nexbit.cuba.security.userprofile.web.companions; import com.haulmont.cuba.core.global.AppBeans; import com.haulmont.cuba.core.sys.AppContext; import com.haulmont.cuba.core.sys.SecurityContext; import com.haulmont.cuba.security.global.UserSession; import com.haulmont.cuba.web.App; import com.haulmont.cuba.web.sys.WebUserSessionSource; import com.vaadin.server.VaadinSession; import it.nexbit.cuba.security.userprofile.UserEditProfile; import org.springframework.web.context.request.RequestAttributes; import org.springframework.web.context.request.RequestContextHolder; import org.springframework.web.context.request.ServletRequestAttributes; import javax.servlet.http.HttpServletRequest; import static com.haulmont.cuba.web.auth.ExternallyAuthenticatedConnection.EXTERNAL_AUTH_USER_SESSION_ATTRIBUTE; public class UserEditProfileCompanion implements UserEditProfile.Companion { @Override public Boolean isLoggedInWithExternalAuth() { UserSession userSession = AppBeans.get(UserSession.class); return Boolean.TRUE.equals(userSession.getAttribute(EXTERNAL_AUTH_USER_SESSION_ATTRIBUTE)); } @Override public void pushUserSessionUpdate(UserSession userSession) { if (App.isBound()) { VaadinSession.getCurrent().setAttribute(UserSession.class, userSession); } else { SecurityContext securityContext = AppContext.getSecurityContextNN(); if (securityContext.getSession() == null) { HttpServletRequest request = null; RequestAttributes requestAttributes = RequestContextHolder.getRequestAttributes(); if (requestAttributes instanceof ServletRequestAttributes) { request = ((ServletRequestAttributes) requestAttributes).getRequest(); } if (request != null && request.getAttribute(WebUserSessionSource.REQUEST_ATTR) != null) { request.setAttribute(WebUserSessionSource.REQUEST_ATTR, userSession); } } } } }
[ "paolo.furini@gmail.com" ]
paolo.furini@gmail.com
fef003a641215a3a420e3f38725ed18bfaf24bf9
b07f223f931bdc723fbb8d32f882fcd375f56ba9
/TeamManagement/src/com/team/sevrice/TeamException.java
3b106f0094b0a6a28d2186d9f2e03526effef6fc
[]
no_license
wbxing/java-learning
89e455a037a8e9f9b63e6c6c7a493b92008a8be0
24a279f7e62ff5a30238890d689b6d3ea67fe1a7
refs/heads/master
2020-08-05T21:44:00.705777
2020-04-18T02:41:22
2020-04-18T02:41:22
212,721,791
0
0
null
null
null
null
UTF-8
Java
false
false
275
java
package com.team.sevrice; /** * 自定义异常类 */ public class TeamException extends Exception { static final long serialVersionUID = -3387516993128L; public TeamException() { } public TeamException(String message) { super(message); } }
[ "wenbiaoxing@gmail.com" ]
wenbiaoxing@gmail.com
310f7d6bfd36e82917d86e4c90acf2aff939eabf
f5e1170aef3951cc3c39722525251a1d8ce31d26
/app/src/main/java/com/jiupin/jiupinhui/adapter/AreaAdapter.java
126ed9cb86a28346e66aeed9e87e5881309a3619
[]
no_license
jygzdx/JiuPinHui
8b492cca06e44060fae5a8c1ac30cb7a0c43eddd
d00b4b2c0f63d44720366c9ddfccb0a9d6230129
refs/heads/master
2021-01-19T14:25:20.578580
2017-09-14T09:51:52
2017-09-14T09:51:52
88,161,610
0
0
null
null
null
null
UTF-8
Java
false
false
5,537
java
package com.jiupin.jiupinhui.adapter; import android.content.Context; import android.support.v4.content.ContextCompat; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.TextView; import com.google.gson.Gson; import com.google.gson.reflect.TypeToken; import com.jiupin.jiupinhui.R; import com.jiupin.jiupinhui.activity.CompileAddressActivity; import com.jiupin.jiupinhui.config.Constant; import com.jiupin.jiupinhui.entity.AreaEntity; import com.jiupin.jiupinhui.utils.LogUtils; import com.zhy.http.okhttp.OkHttpUtils; import com.zhy.http.okhttp.callback.StringCallback; import org.json.JSONException; import org.json.JSONObject; import java.util.ArrayList; import java.util.List; import butterknife.BindView; import butterknife.ButterKnife; import okhttp3.Call; /** * 作者:czb on 2017/7/11 14:22 */ public class AreaAdapter extends RecyclerView.Adapter { private Context mContext; private LayoutInflater inflater; private List<AreaEntity> adds; private int tag; private List<String> areas = new ArrayList<>(); public AreaAdapter(Context context,List<AreaEntity> adds) { this.mContext = context; this.adds = adds; inflater = LayoutInflater.from(mContext); } @Override public RecyclerView.ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) { View view = inflater.inflate(R.layout.area_item, parent, false); AreaViewHolder holder = new AreaViewHolder(view); return holder; } @Override public void onBindViewHolder(final RecyclerView.ViewHolder holder, final int position) { ((AreaViewHolder)holder).tvShengShiQu.setText(adds.get(position).getAreaName()); ((AreaViewHolder)holder).tvShengShiQu.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { ((AreaViewHolder)holder).tvShengShiQu.setTextColor(ContextCompat.getColor(mContext,R.color.mainTextColor)); switch (tag){ case 1: areas.clear(); areas.add(adds.get(position).getAreaName()); areas.add("请选择"); ((CompileAddressActivity)mContext).setTabLayout(areas); requestData(adds.get(position).getId()); setTag(2); break; case 2: areas.remove(areas.size()-1); areas.add(adds.get(position).getAreaName()); areas.add("请选择"); ((CompileAddressActivity)mContext).setTabLayout(areas); requestData(adds.get(position).getId()); setTag(3); break; case 3: areas.remove(areas.size()-1); areas.add(adds.get(position).getAreaName()); ((CompileAddressActivity)mContext).setTabLayout(areas); ((CompileAddressActivity)mContext).selectedSuccess(adds.get(position).getId()); break; } } }); } @Override public int getItemCount() { return adds.size(); } public void setData(List<AreaEntity> adds){ this.adds = adds; notifyDataSetChanged(); } public void setTag(int tag){ this.tag = tag; } class AreaViewHolder extends RecyclerView.ViewHolder { @BindView(R.id.tv_sheng_shi_qu) TextView tvShengShiQu; AreaViewHolder(View view) { super(view); ButterKnife.bind(this, view); } } private void requestData(int id) { OkHttpUtils .post() .url(Constant.SHENG_SHI_QU_AREA) .addParams("pid",id+"") .build() .execute(new StringCallback() { @Override public void onError(Call call, Exception e, int id) { LogUtils.d("requestAddress" + e.getMessage()); } @Override public void onResponse(String response, int id) { LogUtils.d("requestAddress" + response); JSONObject jsonObject = null; try { jsonObject = new JSONObject(response); if ("OK".equals(jsonObject.getString("msg"))) { Gson gson = new Gson(); String data = jsonObject.getString("data"); JSONObject dataObj = new JSONObject(data); String list = dataObj.getString("list"); List<AreaEntity> adds = gson.fromJson(list,new TypeToken<List<AreaEntity>>(){}.getType()); if(adds!=null||adds.size()>0){ setData(adds); } } else { LogUtils.d("requestAddress.error"); } } catch (JSONException e) { e.printStackTrace(); } } }); } }
[ "644974853@qq.com" ]
644974853@qq.com
d53ce558b97d7acbbf248226325cbc36b9d640ee
037901ef2143bf3375ed54f77fe3e0c65f9d3547
/app/src/main/java/com/app/veraxe/model/ModelTimeTable.java
4fe92be7c49082ad260ff6f4f9a4f8ed55e8d0de
[]
no_license
hemantagarg/Veraxe
e42cea0f2fe00876734432ac67037abb5e43586c
0d5d2edf251156cd325def5ccf1f524d072cded0
refs/heads/master
2022-03-27T21:59:30.081655
2019-12-17T14:33:25
2019-12-17T14:33:25
110,411,822
0
0
null
null
null
null
UTF-8
Java
false
false
1,319
java
package com.app.veraxe.model; /** * Created by hemanta on 26-11-2016. */ public class ModelTimeTable { String PeriodName; String daysArray; String day; String classname; String subject; String time; String teacher_name; public String getPeriodName() { return PeriodName; } public void setPeriodName(String periodName) { PeriodName = periodName; } public String getDaysArray() { return daysArray; } public void setDaysArray(String daysArray) { this.daysArray = daysArray; } public String getDay() { return day; } public void setDay(String day) { this.day = day; } public String getClassname() { return classname; } public void setClassname(String classname) { this.classname = classname; } public String getSubject() { return subject; } public void setSubject(String subject) { this.subject = subject; } public String getTime() { return time; } public void setTime(String time) { this.time = time; } public String getTeacher_name() { return teacher_name; } public void setTeacher_name(String teacher_name) { this.teacher_name = teacher_name; } }
[ "hemantagarg5@gmail.com" ]
hemantagarg5@gmail.com
4fd4578ea632068268567ce56e89181d361ca52b
76936cf1ad93a7a02ed4bd8630537a9b332da53d
/support/cas-server-support-passwordless-jpa/src/test/java/org/apereo/cas/impl/token/JpaPasswordlessTokenRepositoryTests.java
d391135bbd4384fd7f4485c23e9045a644c232a6
[ "Apache-2.0", "LicenseRef-scancode-free-unknown", "LicenseRef-scancode-warranty-disclaimer" ]
permissive
amasr/cas
07d72bced7aac41f5071c2a7f6691123becffa91
513a708796e458285747210ccfe3c214f761402a
refs/heads/master
2022-11-17T05:10:26.604549
2022-11-07T04:26:53
2022-11-07T04:26:53
239,546,074
0
0
Apache-2.0
2020-02-10T15:34:05
2020-02-10T15:34:04
null
UTF-8
Java
false
false
2,230
java
package org.apereo.cas.impl.token; import org.apereo.cas.api.PasswordlessTokenRepository; import org.apereo.cas.config.CasHibernateJpaConfiguration; import org.apereo.cas.config.JpaPasswordlessAuthenticationConfiguration; import org.apereo.cas.impl.BasePasswordlessUserAccountStoreTests; import lombok.Getter; import lombok.val; import org.junit.jupiter.api.Tag; import org.junit.jupiter.api.Test; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Qualifier; import org.springframework.context.annotation.EnableAspectJAutoProxy; import org.springframework.context.annotation.Import; import org.springframework.test.context.TestPropertySource; import org.springframework.transaction.annotation.EnableTransactionManagement; import java.util.UUID; import static org.junit.jupiter.api.Assertions.*; /** * This is {@link JpaPasswordlessTokenRepositoryTests}. * * @author Misagh Moayyed * @since 6.2.0 */ @EnableTransactionManagement(proxyTargetClass = false) @EnableAspectJAutoProxy(proxyTargetClass = false) @Getter @Tag("JDBC") @Import({ CasHibernateJpaConfiguration.class, JpaPasswordlessAuthenticationConfiguration.class }) @TestPropertySource(properties = "cas.jdbc.show-sql=false") public class JpaPasswordlessTokenRepositoryTests extends BasePasswordlessUserAccountStoreTests { @Autowired @Qualifier(PasswordlessTokenRepository.BEAN_NAME) private PasswordlessTokenRepository repository; @Test public void verifyAction() { val uid = UUID.randomUUID().toString(); val token = repository.createToken(uid); assertTrue(repository.findToken(uid).isEmpty()); repository.saveToken(uid, token); assertTrue(repository.findToken(uid).isPresent()); repository.deleteToken(uid, token); assertTrue(repository.findToken(uid).isEmpty()); } @Test public void verifyCleaner() { val uid = UUID.randomUUID().toString(); val token = repository.createToken(uid); repository.saveToken(uid, token); assertTrue(repository.findToken(uid).isPresent()); repository.clean(); assertTrue(repository.findToken(uid).isEmpty()); } }
[ "mm1844@gmail.com" ]
mm1844@gmail.com
e4dd0ea56b27db46fb78bf8d58f84f0dcf3ab3c5
dd87c3fdcc231260a1397d8a4916f422f15672e8
/springcloud-day01-provider/src/main/java/com/mellow/pojo/User.java
b66d9fc7b9bd33445eae19c50247b56ad4faf733
[]
no_license
zhengxinyuzxy/dubbo-example
b273bba254236f0ca78645e4b674ba2e5813a79d
6d9c981da5cd59faec582a7d9c2fb4f53cb2c51b
refs/heads/master
2023-07-14T12:30:47.645664
2021-08-22T01:45:22
2021-08-22T01:45:22
398,552,805
0
0
null
null
null
null
UTF-8
Java
false
false
981
java
package com.mellow.pojo; import java.io.Serializable; public class User implements Serializable { private String name; private String address; private Integer age; public User() { } public User(String name, String address, Integer age) { this.name = name; this.address = address; this.age = age; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getAddress() { return address; } public void setAddress(String address) { this.address = address; } public Integer getAge() { return age; } public void setAge(Integer age) { this.age = age; } @Override public String toString() { return "User{" + "name='" + name + '\'' + ", address='" + address + '\'' + ", age=" + age + '}'; } }
[ "mellowzz@163.com" ]
mellowzz@163.com
44f74865b74b25d8c2915a81891425e06696bdb9
6c955bf0648c214dc98ffa1100b27b4f0ec9540e
/src/test/java/com/hibernate/JavaHibernateApplicationTests.java
4e07f246a0519d61137898feef747d923cd637d8
[]
no_license
ricardodamasceno/java-hibernate
2cfcef3122227d22b776d45ed53158297f385c63
9ebc43c5892a481bbdbea591a8f5624c946e8c52
refs/heads/master
2020-04-25T05:18:06.808467
2019-02-25T20:12:36
2019-02-25T20:12:36
172,537,633
0
0
null
null
null
null
UTF-8
Java
false
false
346
java
package com.hibernate; import org.junit.Test; import org.junit.runner.RunWith; import org.springframework.boot.test.context.SpringBootTest; import org.springframework.test.context.junit4.SpringRunner; @RunWith(SpringRunner.class) @SpringBootTest public class JavaHibernateApplicationTests { @Test public void contextLoads() { } }
[ "rdias@AC-LP0199-rdias.local" ]
rdias@AC-LP0199-rdias.local
905bcf60b5342ad2791859a5fc956d93b2e2b62d
bcc75c13d5e34025cecc4991df685b59147cd98a
/boot-user-service-provider/src/main/java/com/itheima/bootuserserviceprovider/service/impl/UserServiceImpl.java
0f73376ce3198676b264cb1c3e45868f6c4c46c5
[]
no_license
syngebee/dubboDemo
47752d561c8d3f8e3f72b63bbf93eea770afc105
30ee18eeafd5465fa666f8eee1474fc81a9a2da1
refs/heads/master
2022-12-20T22:51:38.101205
2020-09-15T08:06:00
2020-09-15T08:06:00
295,633,013
0
0
null
null
null
null
UTF-8
Java
false
false
1,157
java
package com.itheima.bootuserserviceprovider.service.impl; import com.alibaba.dubbo.config.annotation.Service; import com.itheima.pojo.UserAddress; import com.itheima.service.UserService; import com.netflix.hystrix.contrib.javanica.annotation.HystrixCommand; import org.springframework.stereotype.Component; import java.util.ArrayList; import java.util.List; @Service @Component public class UserServiceImpl implements UserService { @HystrixCommand @Override public List<UserAddress> getUserAddressList() { System.out.println("userService2"); UserAddress userAddress1 = new UserAddress(1, "上海市浦东新区", "2", "陈老师", "13916427105", "true"); UserAddress userAddress2 = new UserAddress(2, "上海市奉贤区", "3", "秦老师", "13916427105", "true"); ArrayList<UserAddress> userAddresses = new ArrayList<>(); userAddresses.add(userAddress1); userAddresses.add(userAddress2); double random = Math.random(); System.out.println(random); if (random>0.8){ throw new RuntimeException("测试容错"); } return userAddresses; } }
[ "zs@bjpowernode.com" ]
zs@bjpowernode.com
d0cb5163095d61d0b36eeee18f54fc63abdbd34d
6fc46371c98599ca7a09ae42eec005572d49f787
/java/arrays/CeilInSorted.java
d297372f1e5d95d993ed168b0eb36fa1dcd8bba8
[]
no_license
AnuragQ/DSA
46a6015e06869612238d5832e056e2d62d245f16
8f62fa371402359fafe7c98aa139f9255484af36
refs/heads/master
2023-01-13T14:06:13.019705
2020-11-15T18:44:27
2020-11-15T18:44:27
259,061,863
1
1
null
2020-10-02T06:53:47
2020-04-26T15:15:39
Java
UTF-8
Java
false
false
1,645
java
/*package whatever //do not write package name here */ import java.util.*; import java.lang.*; import java.io.*; class CeilInSorted { public static void main(String[] args) throws IOException { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); int t = Integer.parseInt(br.readLine()); while (t-- > 0) { String[] inp = br.readLine().split(" "); int n = Integer.parseInt(inp[0]); int num = Integer.parseInt(inp[1]); inp = br.readLine().split(" "); int[] arr = new int[n]; for (int i = 0; i < n; i++) { arr[i] = Integer.parseInt(inp[i]); } System.out.println(getCeil(num, arr)); } br.close(); } static int getCeil(int num, int[] arr) { int ceil = 0; int n = arr.length; int start = 0; int end = n - 1; int mid = (n - 1) / 2; while (start <= end) { mid = (start + end) / 2; if (num <= arr[mid]) { end = mid - 1; ceil = mid; } else if (num > arr[mid]) { start = mid + 1; } } return ceil; } static int getFloor(int num, int[] arr) { int floor = -1; int n=arr.length; int start = 0; int end = n - 1; int mid = (n - 1) / 2; while (start <= end) { mid = (start + end) / 2; if (num < arr[mid]) { end = mid - 1; } else if (num >= arr[mid]) { floor = mid; start = mid + 1; } } return floor; } }
[ "anurags153@gmail.com" ]
anurags153@gmail.com
2f6ba22c2f158a0ad781b8a26302dc659a424e18
5ca2fb2edcbdab200a8650f1c785de56c040126d
/JSP_study/01_java/Test01.java
393b3eab9b7735338a1da87df6e8014fe925c9ce
[]
no_license
MainDuke/mainduke-portfolioList
f4acb6cef861fbf96c3d099df5d323793c778b00
0410f201d8819c4fe437322773593b5299d17b1f
refs/heads/master
2020-04-17T18:32:39.544859
2019-01-21T15:20:35
2019-01-21T15:20:35
166,830,888
0
0
null
null
null
null
UHC
Java
false
false
255
java
public class Test01 { //main ctrl _ sp키 public static void main(String[] args) { //syso ctrl+sp키 //이클립스는 저장하면, 컴파일 된다. System.out.println("오늘은 즐거운 금요일"); }//main end }//class end
[ "enigmatic_duke@naver.com" ]
enigmatic_duke@naver.com
a9416306d644115f64d0f870b0b572855ff6c396
7e651dc44a5fd2b636003958d7e5a283e1828318
/minecraft/net/minecraft/server/management/UserListOpsEntry.java
c45d46b53e532928654740af587ab951375888e2
[]
no_license
Niklas61/CandyClient
b05a1edc0d360dacc84fed7944bce5dc0a873be4
97e317aaacdcf029b8e87960adab4251861371eb
refs/heads/master
2023-04-24T15:48:59.747252
2021-05-12T16:54:32
2021-05-12T16:54:32
352,600,734
1
0
null
null
null
null
UTF-8
Java
false
false
2,216
java
package net.minecraft.server.management; import com.google.gson.JsonObject; import com.mojang.authlib.GameProfile; import java.util.UUID; public class UserListOpsEntry extends UserListEntry<GameProfile> { private final int field_152645_a; private final boolean field_183025_b; public UserListOpsEntry(GameProfile p_i46492_1_, int p_i46492_2_, boolean p_i46492_3_) { super(p_i46492_1_); this.field_152645_a = p_i46492_2_; this.field_183025_b = p_i46492_3_; } public UserListOpsEntry(JsonObject p_i1150_1_) { super(func_152643_b(p_i1150_1_), p_i1150_1_); this.field_152645_a = p_i1150_1_.has("level") ? p_i1150_1_.get("level").getAsInt() : 0; this.field_183025_b = p_i1150_1_.has("bypassesPlayerLimit") && p_i1150_1_.get("bypassesPlayerLimit").getAsBoolean(); } /** * Gets the permission level of the user, as defined in the "level" attribute of the ops.json file */ public int getPermissionLevel() { return this.field_152645_a; } public boolean func_183024_b() { return this.field_183025_b; } protected void onSerialization(JsonObject data) { if (this.getValue() != null) { data.addProperty("uuid", this.getValue().getId() == null ? "" : this.getValue().getId().toString()); data.addProperty("name", this.getValue().getName()); super.onSerialization(data); data.addProperty("level", Integer.valueOf(this.field_152645_a) ); data.addProperty("bypassesPlayerLimit", Boolean.valueOf(this.field_183025_b)); } } private static GameProfile func_152643_b(JsonObject p_152643_0_) { if (p_152643_0_.has("uuid") && p_152643_0_.has("name")) { String s = p_152643_0_.get("uuid").getAsString(); UUID uuid; try { uuid = UUID.fromString(s); } catch (Throwable var4) { return null; } return new GameProfile(uuid, p_152643_0_.get("name").getAsString()); } else { return null; } } }
[ "unconfigured@null.spigotmc.org" ]
unconfigured@null.spigotmc.org
4df781a7812a3dadbb1f4ec8d399ab4c12c4601f
5efaf0af8b78578302ab6d17ba5ace2018cd2fd7
/runtime/src/main/java/runtime/graphics/unuse/Section.java
e0773d9fb7d06f751c41afe7cfb1de5048dd24d4
[]
no_license
rmakulov/postscript-in-jvm
fa86c02dd98361dc6684a9520c36c176366ea1df
ca2c7d72a3cbc4bbac0ee6a2a9f5e0a82cf95470
refs/heads/master
2020-06-06T01:49:40.948674
2017-04-08T14:30:00
2017-04-08T14:30:00
14,729,260
0
0
null
2014-03-30T19:50:38
2013-11-26T21:10:47
Java
UTF-8
Java
false
false
843
java
package runtime.graphics.unuse; /** * Created by 1 on 20.03.14. */ public class Section { public double start; public double finish; public Section(double start, double finish) { this.start = Math.min(start, finish); this.finish = Math.max(start, finish); } public Section intersect(Section section) { if (!isIntersect(section)) return null; return new Section(Math.max(start, section.start), Math.min(finish, section.finish)); } public boolean isIntersect(Section section) { return !(start > section.finish || finish < section.start); } public Section union(Section section) { if (!isIntersect(section)) return null; return new Section(Math.min(start, section.start), Math.max(finish, section.finish)); } }
[ "arturgudiev93@gmail.com" ]
arturgudiev93@gmail.com
6e2700ce0fb1f77cef906d853f54832f3d9faaed
1df5100c223b25e00b9264323081c664970d6cb3
/IsPalindrome.java
9b1eb25e9fba3dc66a41d90aedf1c97e4d8f3154
[]
no_license
harjotsingh1999/LeetCode
862adac02d197e2297aad71c36e33b43927070b1
6558c53e0cd7f89e0e885eb0888b8eb43c27634d
refs/heads/master
2023-07-31T15:17:54.875020
2021-09-26T10:04:59
2021-09-26T10:04:59
334,861,683
0
0
null
null
null
null
UTF-8
Java
false
false
743
java
import java.util.Scanner; public class IsPalindrome { public boolean isPalindrome(int x) { if (x < 0) return false; else { long rev = 0; for (long i = x; i != 0; i = i / 10) { long digit = i % 10; rev = rev * 10 + digit; } return x == rev; } } public static void main(String[] args) { Scanner read = new Scanner(System.in); System.out.println("Enter a number to check palindrome"); int num = read.nextInt(); IsPalindrome isPalindrome = new IsPalindrome(); System.out.println("Number entered is palindrome: " + isPalindrome.isPalindrome(num)); read.close(); } }
[ "asingh.harjot@gmail.com" ]
asingh.harjot@gmail.com
7170c33bbf4482c6ef6ef8125acd3f899a0b6659
79fc99112a9c100e3b0615654703a01cd238165b
/Gprs/src/main/java/com/gprs/entity/user/AgentSeller.java
20588d88d21d6e3f727ece2b2c2db3a1531f260d
[]
no_license
RamkiSuvvala/Gprs
d3962850c62cf9c283b10b56e3af0bd61cdba280
46c5be933f7c4534916ebd7271fecdf9e8dd74a5
refs/heads/master
2021-07-01T12:47:08.257064
2020-08-30T14:02:25
2020-08-30T14:02:25
229,429,754
0
0
null
2021-04-26T19:48:42
2019-12-21T13:16:11
Java
UTF-8
Java
false
false
2,711
java
package com.gprs.entity.user; import java.io.Serializable; import java.sql.Date; import java.util.List; import javax.persistence.Entity; import javax.persistence.GeneratedValue; import javax.persistence.GenerationType; import javax.persistence.Id; import javax.persistence.ManyToMany; import javax.persistence.Table; import com.gprs.entity.Address; @Entity @Table(name="AGTSLRMST") public class AgentSeller implements Serializable{ /** * */ private static final long serialVersionUID = 1L; @Id @GeneratedValue(strategy = GenerationType.AUTO) private String agentId; private String agentName; @ManyToMany private List<Address> address; private String agentCertificate; private Date certificateEndDate; private Date CertificationDate; private Date renewalDate; /** * @return the agentId */ public String getAgentId() { return agentId; } /** * @param agentId the agentId to set */ public void setAgentId(String agentId) { this.agentId = agentId; } /** * @return the agentName */ public String getAgentName() { return agentName; } /** * @param agentName the agentName to set */ public void setAgentName(String agentName) { this.agentName = agentName; } /** * @return the address */ public List<Address> getAddress() { return address; } /** * @param address the address to set */ public void setAddress(List<Address> address) { this.address = address; } /** * @return the agentCertificate */ public String getAgentCertificate() { return agentCertificate; } /** * @param agentCertificate the agentCertificate to set */ public void setAgentCertificate(String agentCertificate) { this.agentCertificate = agentCertificate; } /** * @return the certificateEndDate */ public Date getCertificateEndDate() { return certificateEndDate; } /** * @param certificateEndDate the certificateEndDate to set */ public void setCertificateEndDate(Date certificateEndDate) { this.certificateEndDate = certificateEndDate; } /** * @return the certificationDate */ public Date getCertificationDate() { return CertificationDate; } /** * @param certificationDate the certificationDate to set */ public void setCertificationDate(Date certificationDate) { CertificationDate = certificationDate; } /** * @return the renewalDate */ public Date getRenewalDate() { return renewalDate; } /** * @param renewalDate the renewalDate to set */ public void setRenewalDate(Date renewalDate) { this.renewalDate = renewalDate; } }
[ "seshuramki@gmail.com" ]
seshuramki@gmail.com
0b2ef5958f710f6f581d4e770f3c6c69dad5c284
7fc0a5475b89782ed990dd521dfcfb93386cacf2
/JD2-61-19-master/clientserver/server/src/main/java/my/pvt/MyThread.java
ad325d45f72d6b132b606dd74b6dcc92133503f2
[]
no_license
AleksLaw/ProjectIdea
e4b7163ad612f498ea661320e7548bfd61111d2a
448d2474d53180bd6a51fe305d1789d5c4d863a6
refs/heads/master
2021-07-08T06:27:55.411557
2019-07-12T17:44:12
2019-07-12T17:44:12
196,401,054
0
0
null
2020-10-13T14:31:15
2019-07-11T13:33:04
Java
UTF-8
Java
false
false
4,887
java
package my.pvt; import java.io.DataInputStream; import java.io.DataOutputStream; import java.io.IOException; import java.text.DateFormat; import java.text.SimpleDateFormat; import java.time.LocalDateTime; import java.time.format.DateTimeFormatter; import java.util.GregorianCalendar; import java.util.SortedSet; import java.util.TreeSet; public class MyThread implements Runnable { @Override public void run() { try { DataOutputStream dos = new DataOutputStream(Server.clientSocet.getOutputStream()); DataInputStream dis = new DataInputStream(Server.clientSocet.getInputStream()); DateFormat df = new SimpleDateFormat("dd MM yyyy"); dos.writeUTF("Connection successful " + Server.count++ + "-connection number" + "\n\r"); dos.flush(); String qw; do { dos.writeUTF("\r1 - Count up to 10 \n" + "\r" + "2 - Get Date and Time\n\r" + "\r" + "3 - Next time and how many are left\n\r" + "\r" + "4 - Exit\n\r" + "\n\r"); dos.flush(); if (!(qw = dis.readLine()).matches("^\\d")) { continue; } int wer = Integer.parseInt(qw); switch (wer) { case 1: for (int i = 1; i <= 10; i++) { dos.writeUTF(i + "\r\n"); Thread.sleep(200); } dos.writeUTF("\r\n"); dos.flush(); break; case 2: dos.writeUTF("\r" + LocalDateTime.now().format(DateTimeFormatter.ISO_LOCAL_DATE) + "\n"); dos.writeUTF("\r" + LocalDateTime.now().format(DateTimeFormatter.ISO_LOCAL_TIME) + "\n"); dos.writeUTF("\r\n"); dos.flush(); break; case 3: SortedSet<GregorianCalendar> set = getGregorianCalendars(); set.removeIf(element -> element.getTimeInMillis() < System.currentTimeMillis() && !df.format(element.getTimeInMillis()).equals(df.format(System.currentTimeMillis()))); dos.writeUTF("\rNext lessons on-" + df.format(set.first().getTime()) + "\n"); dos.flush(); dos.writeUTF("\rLessons left-" + set.size() + "\n"); dos.flush(); dos.writeUTF("\n"); dos.flush(); break; case 4: dos.writeUTF("Thanks and have a nice day"); dos.flush(); Server.clientSocet.close(); break; } } while (true); } catch (IOException | InterruptedException e) { System.out.println("Соединение прервано: Поток"); } } private SortedSet<GregorianCalendar> getGregorianCalendars() { SortedSet<GregorianCalendar> set = new TreeSet<>(); set.add(new GregorianCalendar(2019, 6, 12)); set.add(new GregorianCalendar(2019, 6, 16)); set.add(new GregorianCalendar(2019, 6, 19)); set.add(new GregorianCalendar(2019, 6, 23)); set.add(new GregorianCalendar(2019, 6, 26)); set.add(new GregorianCalendar(2019, 6, 30)); set.add(new GregorianCalendar(2019, 7, 13)); set.add(new GregorianCalendar(2019, 7, 16)); set.add(new GregorianCalendar(2019, 7, 20)); set.add(new GregorianCalendar(2019, 7, 23)); set.add(new GregorianCalendar(2019, 7, 27)); set.add(new GregorianCalendar(2019, 7, 30)); set.add(new GregorianCalendar(2019, 8, 3)); set.add(new GregorianCalendar(2019, 8, 6)); set.add(new GregorianCalendar(2019, 8, 10)); set.add(new GregorianCalendar(2019, 8, 13)); set.add(new GregorianCalendar(2019, 8, 17)); set.add(new GregorianCalendar(2019, 8, 20)); set.add(new GregorianCalendar(2019, 8, 24)); set.add(new GregorianCalendar(2019, 8, 27)); set.add(new GregorianCalendar(2019, 9, 1)); set.add(new GregorianCalendar(2019, 9, 4)); set.add(new GregorianCalendar(2019, 9, 8)); set.add(new GregorianCalendar(2019, 9, 11)); set.add(new GregorianCalendar(2019, 9, 15)); set.add(new GregorianCalendar(2019, 9, 18)); set.add(new GregorianCalendar(2019, 9, 22)); set.add(new GregorianCalendar(2019, 9, 25)); set.add(new GregorianCalendar(2019, 9, 29)); set.add(new GregorianCalendar(2019, 10, 1)); return set; } }
[ "Aleksandr.law@gmail.com" ]
Aleksandr.law@gmail.com
21feddcfd476eb62f5f9bbcde07f9c18080337cc
e90ee236013e985fce8c4081d2492eb60e839648
/app/src/main/java/com/example/amr/demogson/CustomAdapter.java
1c7c27acde23f16c742fbe67be9a4c920d97e77e
[]
no_license
AmrAbdelhameed/DemoGson
76d420359b15372197f2224d9781c7f4effdf88a
7a06b7c044b79612b03aca1cfaa5d4eb9e3eba73
refs/heads/master
2021-03-27T11:27:17.769765
2017-07-11T21:20:14
2017-07-11T21:20:14
96,895,004
0
0
null
null
null
null
UTF-8
Java
false
false
1,673
java
package com.example.amr.demogson; import android.content.Context; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.BaseAdapter; import android.widget.ImageView; import android.widget.TextView; import com.squareup.picasso.Picasso; import java.util.List; public class CustomAdapter extends BaseAdapter { private List<Story> mMovieitem; private Context mContext; private LayoutInflater inflater; public CustomAdapter(Context mContext, List<Story> mMovieitem) { this.mContext = mContext; this.mMovieitem = mMovieitem; } @Override public int getCount() { return mMovieitem.size(); } @Override public Object getItem(int position) { return mMovieitem.get(position); } @Override public long getItemId(int position) { return 0; } @Override public View getView(int position, View convertView, ViewGroup parent) { LayoutInflater inflater = (LayoutInflater) mContext .getSystemService(Context.LAYOUT_INFLATER_SERVICE); View rowView = inflater.inflate(R.layout.list_view_layout, parent, false); TextView title = (TextView) rowView.findViewById(R.id.title); TextView rating = (TextView) rowView.findViewById(R.id.published); ImageView thumbnail = (ImageView) rowView.findViewById(R.id.imagevi); title.setText(mMovieitem.get(position).getTitle()); rating.setText(mMovieitem.get(position).getPublished_date()); Picasso.with(mContext).load(mMovieitem.get(position).getImageurl()).into(thumbnail); return rowView; } }
[ "amrabdelhameedfcis123@gmail.com" ]
amrabdelhameedfcis123@gmail.com
b74c852daac1194c034db9de8c99e6e20fffd71d
86cc148084de573b55b72425388b16cde4ee1d06
/mix-repo/src/main/java/com/oneangrybean/proto/mixrepo/mixentry/controller/MixEntryController.java
e65c3c2bbfec0d974c4b6adc48438a105dc9443a
[]
no_license
djgraff209/so68637283
f05b01cbe796a5194fecc712f957e00a59474779
5c0699d9dfb25003c86e313f64e7541d0332b457
refs/heads/master
2023-07-16T05:30:16.201963
2021-08-19T18:18:13
2021-08-19T18:18:13
393,376,379
0
0
null
null
null
null
UTF-8
Java
false
false
1,933
java
package com.oneangrybean.proto.mixrepo.mixentry.controller; import java.util.Arrays; import java.util.List; import com.oneangrybean.proto.mixrepo.mixentry.entity.MixEntry; import org.springframework.http.HttpStatus; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.bind.annotation.RestController; import org.springframework.web.server.ResponseStatusException; @RestController public class MixEntryController { private static final List<MixEntry> MIX_ENTRIES = Arrays.asList(genEntry(1,"One"),genEntry(3,"Three"),genEntry(5,"Five")); private static MixEntry genEntry(Integer id, String name) { final MixEntry mixEntry = new MixEntry(); mixEntry.setId(id); mixEntry.setName(name); return mixEntry; } @GetMapping("/mix-entry") @ResponseBody public List<MixEntry> list() { return MIX_ENTRIES; } @GetMapping("/mix-entry/{mixEntryId}") @ResponseBody public MixEntry get(@PathVariable("mixEntryId") Integer mixEntryId) { final MixEntry mixEntry = MIX_ENTRIES.stream() .filter(me -> me.getId().equals(mixEntryId)) .findFirst() .orElseThrow(() -> new ResponseStatusException(HttpStatus.NOT_FOUND)); return mixEntry; } @GetMapping("/mix-entry/name/{mixEntryName}") @ResponseBody public MixEntry getByName(@PathVariable("mixEntryName") String mixEntryName) { final MixEntry mixEntry = MIX_ENTRIES.stream() .filter(me -> me.getName().equals(mixEntryName)) .findFirst() .orElseThrow(() -> new ResponseStatusException(HttpStatus.NOT_FOUND)); return mixEntry; } }
[ "djgraff209@gmail.com" ]
djgraff209@gmail.com
460670bafb1c1ff2c0c76e655c2e8d6eaa0eda25
a636258c60406f8db850d695b064836eaf75338b
/src-gen/org/openbravo/model/pricing/pricelist/ProductPrice.java
e4eb245afe36b2323bc329256847991fac855783
[]
no_license
Afford-Solutions/openbravo-payroll
ed08af5a581fa41455f4e9b233cb182d787d5064
026fee4fe79b1f621959670fdd9ae6dec33d263e
refs/heads/master
2022-03-10T20:43:13.162216
2019-11-07T18:31:05
2019-11-07T18:31:05
null
0
0
null
null
null
null
UTF-8
Java
false
false
7,807
java
/* ************************************************************************* * The contents of this file are subject to the Openbravo Public License * Version 1.1 (the "License"), being the Mozilla Public License * Version 1.1 with a permitted attribution clause; you may not use this * file except in compliance with the License. You may obtain a copy of * the License at http://www.openbravo.com/legal/license.html * Software distributed under the License is distributed on an "AS IS" * basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the * License for the specific language governing rights and limitations * under the License. * The Original Code is Openbravo ERP. * The Initial Developer of the Original Code is Openbravo SLU * All portions are Copyright (C) 2008-2011 Openbravo SLU * All Rights Reserved. * Contributor(s): ______________________________________. ************************************************************************ */ package org.openbravo.model.pricing.pricelist; import java.math.BigDecimal; import java.util.ArrayList; import java.util.Date; import java.util.List; import org.openbravo.base.structure.ActiveEnabled; import org.openbravo.base.structure.BaseOBObject; import org.openbravo.base.structure.ClientEnabled; import org.openbravo.base.structure.OrganizationEnabled; import org.openbravo.base.structure.Traceable; import org.openbravo.model.ad.access.User; import org.openbravo.model.ad.system.Client; import org.openbravo.model.common.enterprise.Organization; import org.openbravo.model.common.plm.Product; import org.openbravo.model.common.plm.ProductByPriceAndWarehouse; /** * Entity class for entity PricingProductPrice (stored in table M_ProductPrice). * * NOTE: This class should not be instantiated directly. To instantiate this * class the {@link org.openbravo.base.provider.OBProvider} should be used. */ public class ProductPrice extends BaseOBObject implements Traceable, ClientEnabled, OrganizationEnabled, ActiveEnabled { private static final long serialVersionUID = 1L; public static final String TABLE_NAME = "M_ProductPrice"; public static final String ENTITY_NAME = "PricingProductPrice"; public static final String PROPERTY_ID = "id"; public static final String PROPERTY_PRICELISTVERSION = "priceListVersion"; public static final String PROPERTY_PRODUCT = "product"; public static final String PROPERTY_CLIENT = "client"; public static final String PROPERTY_ORGANIZATION = "organization"; public static final String PROPERTY_ACTIVE = "active"; public static final String PROPERTY_CREATIONDATE = "creationDate"; public static final String PROPERTY_CREATEDBY = "createdBy"; public static final String PROPERTY_UPDATED = "updated"; public static final String PROPERTY_UPDATEDBY = "updatedBy"; public static final String PROPERTY_LISTPRICE = "listPrice"; public static final String PROPERTY_STANDARDPRICE = "standardPrice"; public static final String PROPERTY_PRICELIMIT = "priceLimit"; public static final String PROPERTY_COST = "cost"; public static final String PROPERTY_RCGIEXTRAPERCENTAGE = "rcgiExtrapercentage"; public static final String PROPERTY_RCGIDISCOUNT = "rcgiDiscount"; public static final String PROPERTY_RCGIEFFECTIVEFROM = "rcgiEffectivefrom"; public static final String PROPERTY_PRODUCTBYPRICEANDWAREHOUSELIST = "productByPriceAndWarehouseList"; public ProductPrice() { setDefaultValue(PROPERTY_ACTIVE, true); setDefaultValue(PROPERTY_COST, new BigDecimal(0)); setDefaultValue(PROPERTY_RCGIEXTRAPERCENTAGE, new BigDecimal(0)); setDefaultValue(PROPERTY_RCGIDISCOUNT, new BigDecimal(0)); setDefaultValue(PROPERTY_PRODUCTBYPRICEANDWAREHOUSELIST, new ArrayList<Object>()); } @Override public String getEntityName() { return ENTITY_NAME; } public String getId() { return (String) get(PROPERTY_ID); } public void setId(String id) { set(PROPERTY_ID, id); } public PriceListVersion getPriceListVersion() { return (PriceListVersion) get(PROPERTY_PRICELISTVERSION); } public void setPriceListVersion(PriceListVersion priceListVersion) { set(PROPERTY_PRICELISTVERSION, priceListVersion); } public Product getProduct() { return (Product) get(PROPERTY_PRODUCT); } public void setProduct(Product product) { set(PROPERTY_PRODUCT, product); } public Client getClient() { return (Client) get(PROPERTY_CLIENT); } public void setClient(Client client) { set(PROPERTY_CLIENT, client); } public Organization getOrganization() { return (Organization) get(PROPERTY_ORGANIZATION); } public void setOrganization(Organization organization) { set(PROPERTY_ORGANIZATION, organization); } public Boolean isActive() { return (Boolean) get(PROPERTY_ACTIVE); } public void setActive(Boolean active) { set(PROPERTY_ACTIVE, active); } public Date getCreationDate() { return (Date) get(PROPERTY_CREATIONDATE); } public void setCreationDate(Date creationDate) { set(PROPERTY_CREATIONDATE, creationDate); } public User getCreatedBy() { return (User) get(PROPERTY_CREATEDBY); } public void setCreatedBy(User createdBy) { set(PROPERTY_CREATEDBY, createdBy); } public Date getUpdated() { return (Date) get(PROPERTY_UPDATED); } public void setUpdated(Date updated) { set(PROPERTY_UPDATED, updated); } public User getUpdatedBy() { return (User) get(PROPERTY_UPDATEDBY); } public void setUpdatedBy(User updatedBy) { set(PROPERTY_UPDATEDBY, updatedBy); } public BigDecimal getListPrice() { return (BigDecimal) get(PROPERTY_LISTPRICE); } public void setListPrice(BigDecimal listPrice) { set(PROPERTY_LISTPRICE, listPrice); } public BigDecimal getStandardPrice() { return (BigDecimal) get(PROPERTY_STANDARDPRICE); } public void setStandardPrice(BigDecimal standardPrice) { set(PROPERTY_STANDARDPRICE, standardPrice); } public BigDecimal getPriceLimit() { return (BigDecimal) get(PROPERTY_PRICELIMIT); } public void setPriceLimit(BigDecimal priceLimit) { set(PROPERTY_PRICELIMIT, priceLimit); } public BigDecimal getCost() { return (BigDecimal) get(PROPERTY_COST); } public void setCost(BigDecimal cost) { set(PROPERTY_COST, cost); } public BigDecimal getRcgiExtrapercentage() { return (BigDecimal) get(PROPERTY_RCGIEXTRAPERCENTAGE); } public void setRcgiExtrapercentage(BigDecimal rcgiExtrapercentage) { set(PROPERTY_RCGIEXTRAPERCENTAGE, rcgiExtrapercentage); } public BigDecimal getRcgiDiscount() { return (BigDecimal) get(PROPERTY_RCGIDISCOUNT); } public void setRcgiDiscount(BigDecimal rcgiDiscount) { set(PROPERTY_RCGIDISCOUNT, rcgiDiscount); } public Date getRcgiEffectivefrom() { return (Date) get(PROPERTY_RCGIEFFECTIVEFROM); } public void setRcgiEffectivefrom(Date rcgiEffectivefrom) { set(PROPERTY_RCGIEFFECTIVEFROM, rcgiEffectivefrom); } @SuppressWarnings("unchecked") public List<ProductByPriceAndWarehouse> getProductByPriceAndWarehouseList() { return (List<ProductByPriceAndWarehouse>) get(PROPERTY_PRODUCTBYPRICEANDWAREHOUSELIST); } public void setProductByPriceAndWarehouseList(List<ProductByPriceAndWarehouse> productByPriceAndWarehouseList) { set(PROPERTY_PRODUCTBYPRICEANDWAREHOUSELIST, productByPriceAndWarehouseList); } }
[ "rcss@ubuntu-server.administrator" ]
rcss@ubuntu-server.administrator
eb8794a2257c590ca49936558385dfc9f144a863
14d083e172837377a0bc3e9b2b031c058e75a4aa
/src/AI/State/ExtendedBehaviorNetwork/CPredecessorLink.java
69ac79eb2fc19ebbc5172b08045594adfdfa8e07
[]
no_license
wgres101/NECROTEK3Dv2
478b708936b4dcfd9aa7f9b949e23bfa3e61bd43
4f57b5f56fc2fa6406d2ce6ed5fdce21964fd483
refs/heads/master
2020-12-18T18:58:42.660286
2017-08-10T23:23:29
2017-08-10T23:23:29
235,483,578
0
0
null
null
null
null
UTF-8
Java
false
false
455
java
package AI.State.ExtendedBehaviorNetwork; public class CPredecessorLink { //activation that goes from a goal g to a module k through a predecessor //link at instant t Function f is a triangular norm that combines the strength //and dynamic relevance of a goal. The term ex_j is the value of the effect //proposition that is the target of a link float activation_a = CParameters.gamma * CParameters.triangularnorm()*CParameters.ex_j; }
[ "ted_gress@yahoo.com" ]
ted_gress@yahoo.com
011b35e19352a741fd655d918ef91908928cd22b
500c8e04b38d7aec9f84735eecf6a30daedcee14
/app/src/main/java/com/melodyxxx/puredaily/entity/daily/NewsDetails.java
a1e4dcf8e4534fb21560b75433c57efeec9e11a3
[ "Apache-2.0" ]
permissive
imhanjie/PureDaily
074463ff5a9c1cdc428845402a9ce60b4eaa365a
fdd372d31e3d652be53f999d4a188761347f51c4
refs/heads/master
2021-06-16T11:43:51.904504
2017-05-20T10:41:27
2017-05-20T10:41:27
69,846,773
4
1
null
null
null
null
UTF-8
Java
false
false
1,412
java
package com.melodyxxx.puredaily.entity.daily; import java.util.Arrays; /** * Author: Melodyxxx * Email: 95hanjie@gmail.com * Created at: 16/09/18. * Description: */ public class NewsDetails { public String body; public String image_source; public String title; public String image; public String share_url; public String ga_prefix; public Section section; public String[] images; public int id; @Override public String toString() { return "NewsDetails{" + "body='" + body + '\'' + ", image_source='" + image_source + '\'' + ", title='" + title + '\'' + ", image='" + image + '\'' + ", share_url='" + share_url + '\'' + ", ga_prefix='" + ga_prefix + '\'' + ", section=" + section + ", images=" + Arrays.toString(images) + ", id=" + id + '}'; } public class Section { public String thumbnail; public int id; public String name; @Override public String toString() { return "Section{" + "thumbnail='" + thumbnail + '\'' + ", id=" + id + ", name='" + name + '\'' + '}'; } } }
[ "95hanjie@gmail.com" ]
95hanjie@gmail.com
670f8f2f67a052faf0634b5863c2d7b5f43d4ef1
d561f59e2ea415ba1b6188990a9d0bc3e79a98c3
/src/test/java/PlayerInputPrompterTest.java
22f6f9ac3b2d479bd15a40e8f3aa8fb31316b9f0
[]
no_license
niiashikwei/TicTacToe
aa7f8941953b58eeb8a08a14808912270a50624d
4e99f6485738b7db85f3353d746f526b5523b160
refs/heads/master
2021-01-20T19:53:06.637361
2016-06-29T16:13:44
2016-06-29T16:13:44
61,944,298
0
0
null
null
null
null
UTF-8
Java
false
false
4,209
java
import org.junit.Before; import org.junit.Test; import java.io.IOException; import java.io.PrintStream; import static org.hamcrest.CoreMatchers.is; import static org.hamcrest.MatcherAssert.assertThat; import static org.mockito.Mockito.*; public class PlayerInputPrompterTest { private final String RANDOM_INPUT_ONE = "1"; private final String RANDOM_INPUT_TWO = "5"; private final String PLAYER_ONE_SYMBOL = "X"; private PlayerInput playerInput; private Board board; private PlayerInputPrompter playerInputPrompter; private MoveValidator moveValidator; private PrintStream printStream; private Players players; private Player currentPlayer; private Player nextPlayer; @Before public void setUp(){ board = mock(Board.class); playerInput = mock(PlayerInput.class); moveValidator = mock(MoveValidator.class); printStream = mock(PrintStream.class); players = mock(Players.class); currentPlayer = mock(Player.class); nextPlayer = mock(Player.class); when(moveValidator.isValidMove(RANDOM_INPUT_ONE)).thenReturn(true); when(moveValidator.isValidMove(RANDOM_INPUT_TWO)).thenReturn(true); printStream = mock(PrintStream.class); playerInputPrompter = new PlayerInputPrompter(playerInput, moveValidator, printStream, board, players, currentPlayer); } @Test public void shouldUpdateTheBoardWithPlayerOneInput() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); when(moveValidator.isValidMove(RANDOM_INPUT_ONE)).thenReturn(true); when(currentPlayer.getSymbol()).thenReturn(PLAYER_ONE_SYMBOL); playerInputPrompter.promptNextPlayerForInput(); verify(board).updateBoard(Integer.parseInt(RANDOM_INPUT_ONE), PLAYER_ONE_SYMBOL); } @Test public void shouldDrawTheBoardAfterUpdatingItWithPlayerInput() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); playerInputPrompter.promptNextPlayerForInput(); verify(board, times(1)).drawBoard(); } @Test public void shouldPromptTheFirstPlayerForAMoveAfterDrawingTheBoard() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); playerInputPrompter.promptNextPlayerForInput(); verify(playerInput).getInput(); } @Test public void shouldPromptUserToTryAgainIfLocationIsAlreadyTaken() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); when(moveValidator.isValidMove(RANDOM_INPUT_ONE)).thenReturn(false); playerInputPrompter.promptNextPlayerForInput(); verify(players, never()).getNextPlayer(); verify(board, never()).updateBoard(anyInt(), anyString()); assertThat(currentPlayer, is(currentPlayer)); } @Test public void shouldPromptNextUserToPlayIfLocationIsNotTaken() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); when(moveValidator.isValidMove(RANDOM_INPUT_ONE)).thenReturn(true); when(players.getNextPlayer()).thenReturn(nextPlayer); playerInputPrompter.promptNextPlayerForInput(); verify(players, times(1)).getNextPlayer(); } @Test public void shouldUpdateBoardWithCurrentPlayerSymbolWhenMoveIsValid() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); when(moveValidator.isValidMove(RANDOM_INPUT_ONE)).thenReturn(true); when(currentPlayer.getSymbol()).thenReturn(PLAYER_ONE_SYMBOL); playerInputPrompter.promptNextPlayerForInput(); verify(board, times(1)).updateBoard(Integer.parseInt(RANDOM_INPUT_ONE), PLAYER_ONE_SYMBOL); verify(currentPlayer, times(1)).getSymbol(); } @Test public void shouldInformTheUserOfInvalidMove() throws IOException { when(playerInput.getInput()).thenReturn(RANDOM_INPUT_ONE); when(moveValidator.isValidMove(RANDOM_INPUT_ONE)).thenReturn(false); playerInputPrompter.promptNextPlayerForInput(); verify(printStream).println("Location already taken! Please try again.\n"); } }
[ "niiashikwei@gmail.com" ]
niiashikwei@gmail.com
c32de7adac227b6c327af4e6356d1d36291201c9
bc97f1d7a5d5b37fc785077a2f47b81f815025fe
/Core Java/DP1-CreationalDesignPattren/BuilderDP/Packing.java
261be30dae4aab6a1e1ef3519d3647f0cd1e2743
[]
no_license
ramkurapati/javapracticles
3cd3494e75bb8ecbf02b6f12aee9185c52f098e6
a4988217d9c3a5baac02a28ead5036662bb661c6
refs/heads/master
2021-01-23T04:19:45.507721
2017-06-10T13:49:10
2017-06-10T13:50:16
92,924,434
0
0
null
null
null
null
UTF-8
Java
false
false
74
java
package BuilderDP; public interface Packing { public String pack(); }
[ "rnaidu@nextgen.com" ]
rnaidu@nextgen.com
ba52a669d489901174c453f09591dbc573c3300c
854fe215317231fcee16acbe4baf360903583dab
/src/main/java/com/dhita/quizboot/controller/QuizRestController.java
37a7b71eb8976c605be653945eee9f3ce6de0d87
[]
no_license
thakurpdhiraj/quizboot
0f595a8877761d97aec60bd50634b1009b43a5b0
9bcb25c0f0a124cb4c3005ceac6d1815f4aa8d10
refs/heads/master
2022-11-22T12:34:16.719701
2020-07-25T14:13:12
2020-07-25T14:13:12
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,176
java
package com.dhita.quizboot.controller; import com.dhita.quizboot.model.Answer; import com.dhita.quizboot.model.Category; import com.dhita.quizboot.model.Question; import com.dhita.quizboot.service.CategoryService; import com.dhita.quizboot.service.QuestionService; import java.util.List; import lombok.extern.slf4j.Slf4j; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.http.MediaType; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestBody; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.RestController; /** Utility controller to add new questions quickly :P */ @RestController @Slf4j public class QuizRestController { @Autowired QuestionService questionService; @Autowired CategoryService categoryService; @GetMapping("/quizquestions") public List<Question> getAllQuestionRest( @RequestParam(value = "category", required = false) Long categoryId) { return questionService.findAll(); } @PostMapping( value = "/quizquestions", consumes = MediaType.APPLICATION_JSON_VALUE, produces = MediaType.APPLICATION_JSON_VALUE) public List<Question> saveAllQuestions(@RequestBody List<Question> questions) { return questionService.saveAll(questions); } // Should be included in its own file if more methods are included! SOLID @PostMapping( value = "/quizquestions/category", consumes = MediaType.APPLICATION_JSON_VALUE, produces = MediaType.APPLICATION_JSON_VALUE) public Category saveCategory(@RequestBody Category category) { return categoryService.save(category); } @PostMapping( value = "/quizquestions/category/{categoryId}/answer", consumes = MediaType.APPLICATION_JSON_VALUE, produces = MediaType.APPLICATION_JSON_VALUE) public void checkAnswer( @RequestBody Answer answers, @PathVariable(value = "categoryId") Long categoryId) { log.info("Answer List : " + answers); } }
[ "dhi37th@gmail.com" ]
dhi37th@gmail.com
c53a3b9ed49a70c47d090aa8b2b6b20696098467
7df40f6ea2209b7d48979465fd8081ec2ad198cc
/TOOLS/server/org/controlsfx/control/CheckComboBox.java
26180ca1dd5e0984116822eec5d4aae54b8c4148
[ "IJG" ]
permissive
warchiefmarkus/WurmServerModLauncher-0.43
d513810045c7f9aebbf2ec3ee38fc94ccdadd6db
3e9d624577178cd4a5c159e8f61a1dd33d9463f6
refs/heads/master
2021-09-27T10:11:56.037815
2021-09-19T16:23:45
2021-09-19T16:23:45
252,689,028
0
0
null
2021-09-19T16:53:10
2020-04-03T09:33:50
Java
UTF-8
Java
false
false
6,645
java
/* */ package org.controlsfx.control; /* */ /* */ import impl.org.controlsfx.skin.CheckComboBoxSkin; /* */ import java.util.HashMap; /* */ import java.util.Map; /* */ import javafx.beans.property.BooleanProperty; /* */ import javafx.beans.property.ObjectProperty; /* */ import javafx.beans.property.SimpleObjectProperty; /* */ import javafx.collections.FXCollections; /* */ import javafx.collections.ListChangeListener; /* */ import javafx.collections.ObservableList; /* */ import javafx.scene.control.Skin; /* */ import javafx.util.StringConverter; /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ public class CheckComboBox<T> /* */ extends ControlsFXControl /* */ { /* */ private final ObservableList<T> items; /* */ private final Map<T, BooleanProperty> itemBooleanMap; /* */ /* */ public CheckComboBox() { /* 104 */ this(null); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ public CheckComboBox(ObservableList<T> items) { /* 114 */ int initialSize = (items == null) ? 32 : items.size(); /* */ /* 116 */ this.itemBooleanMap = new HashMap<>(initialSize); /* 117 */ this.items = (items == null) ? FXCollections.observableArrayList() : items; /* 118 */ setCheckModel(new CheckComboBoxBitSetCheckModel<>(this.items, this.itemBooleanMap)); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ protected Skin<?> createDefaultSkin() { /* 131 */ return (Skin<?>)new CheckComboBoxSkin(this); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ public ObservableList<T> getItems() { /* 139 */ return this.items; /* */ } /* */ /* */ /* */ /* */ /* */ /* */ public BooleanProperty getItemBooleanProperty(int index) { /* 147 */ if (index < 0 || index >= this.items.size()) return null; /* 148 */ return getItemBooleanProperty((T)getItems().get(index)); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ public BooleanProperty getItemBooleanProperty(T item) { /* 156 */ return this.itemBooleanMap.get(item); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* 168 */ private ObjectProperty<IndexedCheckModel<T>> checkModel = (ObjectProperty<IndexedCheckModel<T>>)new SimpleObjectProperty(this, "checkModel"); /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ public final void setCheckModel(IndexedCheckModel<T> value) { /* 180 */ checkModelProperty().set(value); /* */ } /* */ /* */ /* */ /* */ /* */ public final IndexedCheckModel<T> getCheckModel() { /* 187 */ return (this.checkModel == null) ? null : (IndexedCheckModel<T>)this.checkModel.get(); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ public final ObjectProperty<IndexedCheckModel<T>> checkModelProperty() { /* 197 */ return this.checkModel; /* */ } /* */ /* */ /* 201 */ private ObjectProperty<StringConverter<T>> converter = (ObjectProperty<StringConverter<T>>)new SimpleObjectProperty(this, "converter"); /* */ /* */ /* */ /* */ /* */ /* */ /* */ public final ObjectProperty<StringConverter<T>> converterProperty() { /* 209 */ return this.converter; /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ public final void setConverter(StringConverter<T> value) { /* 218 */ converterProperty().set(value); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ public final StringConverter<T> getConverter() { /* 226 */ return (StringConverter<T>)converterProperty().get(); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ private static class CheckComboBoxBitSetCheckModel<T> /* */ extends CheckBitSetModelBase<T> /* */ { /* */ private final ObservableList<T> items; /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ CheckComboBoxBitSetCheckModel(ObservableList<T> items, Map<T, BooleanProperty> itemBooleanMap) { /* 265 */ super(itemBooleanMap); /* */ /* 267 */ this.items = items; /* 268 */ this.items.addListener(new ListChangeListener<T>() { /* */ public void onChanged(ListChangeListener.Change<? extends T> c) { /* 270 */ CheckComboBox.CheckComboBoxBitSetCheckModel.this.updateMap(); /* */ } /* */ }); /* */ /* 274 */ updateMap(); /* */ } /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ /* */ public T getItem(int index) { /* 286 */ return (T)this.items.get(index); /* */ } /* */ /* */ public int getItemCount() { /* 290 */ return this.items.size(); /* */ } /* */ /* */ public int getItemIndex(T item) { /* 294 */ return this.items.indexOf(item); /* */ } /* */ } /* */ } /* Location: C:\Users\leo\Desktop\server.jar!\org\controlsfx\control\CheckComboBox.class * Java compiler version: 8 (52.0) * JD-Core Version: 1.1.3 */
[ "warchiefmarkus@gmail.com" ]
warchiefmarkus@gmail.com
071cba110f515c9509b1f6d463a21e5402a2b56e
58ae21bdba409d1589e8437a2b31880a76b23124
/src/main/java/com/cristian_e_douglas/registro_de_aluno2/controller/Properties.java
4f30a19a2745a761db78dbb6a013108a830d4984
[]
no_license
JuniorCristian/cadastro_de_aluno_trabalho_java_3_2021-1
5b7a78c337e11e2614de6e0fc7692b68205ab006
cc7f5e72293a14cd124904da0b413815a85070e1
refs/heads/master
2023-05-06T04:08:33.549142
2021-05-31T22:08:17
2021-05-31T22:08:17
371,665,893
0
0
null
null
null
null
UTF-8
Java
false
false
1,115
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.cristian_e_douglas.registro_de_aluno2.controller; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; /** * * @author cristian */ public class Properties { private static final String PATH = "./.properties"; public static String get(String chave){ java.util.Properties properties = new java.util.Properties(); try{ FileInputStream file = new FileInputStream(PATH); properties.load(file); file.close(); }catch(FileNotFoundException fe){ System.out.println("Arquivo não encontrado"); }catch(IOException fe){ System.out.println("Erro ao ler arquivo"); } if(!properties.containsKey(chave)){ throw new RuntimeException("A chave "+ chave +" não encontrada no arquivo "+PATH); } return properties.getProperty(chave); } }
[ "juniorgamer2209@gmail.com" ]
juniorgamer2209@gmail.com
7f3195eb95da77819adc8197e3328aa577a39db2
ea650cd91467ee8e392eb10271d7c54b47de8025
/CabinetGynecoSoft/src/main/java/com/doctor/service/SterileService.java
fbbbfc1e5ad4f6ffce4eb197eace342e09e9f42a
[]
no_license
DSI2016/cabinetGyn
44aa1098652ab281c8f20fe64b443a8a7524d5c9
48e393178fa2b1a0cdadc740945683a52d26b031
refs/heads/master
2020-04-17T09:55:54.204349
2016-10-29T11:48:08
2016-10-29T11:48:08
66,582,793
1
0
null
null
null
null
UTF-8
Java
false
false
3,121
java
package com.doctor.service; import java.util.List; import org.hibernate.Session; import org.hibernate.Transaction; import com.doctor.dao.HibernateUtil; import com.doctor.dao.SterileHome; import com.doctor.persistance.Sterile; public class SterileService { private SterileHome dao; public SterileService() { dao = new SterileHome(); } public void ajouterSterile(Sterile s) { Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); dao.persist(s); tx.commit(); } catch (RuntimeException ex) { // Rollback de la transaction en cas d'erreurs if (tx != null) tx.rollback(); ex.printStackTrace(); } } public void modifierSterile(Sterile s) { Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); dao.merge(s); tx.commit(); } catch (RuntimeException ex) { if (tx != null) tx.rollback(); ex.printStackTrace(); } } public void supprimerSterile(Sterile s) { Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); dao.delete(s); tx.commit(); } catch (RuntimeException ex) { if (tx != null) tx.rollback(); ex.printStackTrace(); } } public List<Sterile> rechercheAvecJointureSterile(String param) { List<Sterile> liste = null; Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); liste = dao.findAllWithJoin(param); tx.commit(); } catch (RuntimeException ex) { if (tx != null) tx.rollback(); ex.printStackTrace(); } return (liste); } public List<Sterile> rechercheToutSterile() { List<Sterile> liste = null; Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); liste = dao.findAll(); tx.commit(); } catch (RuntimeException ex) { if (tx != null) tx.rollback(); ex.printStackTrace(); } return (liste); } public Sterile rechercheSterilePatient(Integer code) { Sterile s = null; Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); s = dao.findSterilPatient(code); tx.commit(); } catch (RuntimeException ex) { if (tx != null) tx.rollback(); ex.printStackTrace(); } return s; } public Sterile rechercheParId(Integer idSterile) { Sterile s = null; Session session = HibernateUtil.getSessionFactory().getCurrentSession(); Transaction tx = null; try { tx = session.beginTransaction(); s = dao.findById( idSterile); tx.commit(); } catch (RuntimeException ex) { if (tx != null) tx.rollback(); ex.printStackTrace(); } return s; } }
[ "amani.hammi@gmail.com" ]
amani.hammi@gmail.com
ea636ddc036427f7737fb147e1c2654ff261e78c
708a561bef970864e276adfc72f3294640b57027
/src/com/contactsdemo/client/gwt_rpc/IContactService.java
8b073569b3e6d4124462c4b279737f7c70fe1cf7
[]
no_license
Home-GWT/ContactsDemo3e
f048a6d44b9b60c295dcaafd4556f951906b9d0d
47e3f31f72a6483fcf89abc45a10b3b803dd4d59
refs/heads/master
2021-01-10T17:52:35.100459
2015-11-15T02:50:51
2015-11-15T02:50:51
46,199,012
0
0
null
null
null
null
UTF-8
Java
false
false
1,101
java
/******************************************************************************* * Copyright (c) 2012 Kai Toedter and others. * * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html. * * Contributors: * Kai Toedter - initial API and implementation ******************************************************************************/ package com.contactsdemo.client.gwt_rpc; import com.contactsdemo.shared.Contact; import com.google.gwt.user.client.rpc.RemoteService; import com.google.gwt.user.client.rpc.RemoteServiceRelativePath; import java.util.List; @RemoteServiceRelativePath("contact") public interface IContactService extends RemoteService { List<Contact> getAllContacts() throws IllegalArgumentException; Contact getContact(String email) throws IllegalArgumentException; void addContact(Contact contact); void deleteContact(Contact contact); void saveContact(Contact contact); }
[ "sashakmets@yandex.ru" ]
sashakmets@yandex.ru
d5ff61c2adc0abe7c4b28407430ca258c9e9a8df
3ef55e152decb43bdd90e3de821ffea1a2ec8f75
/large/module1358_public/src/java/module1358_public/a/IFoo3.java
3e0cba36d0255da370970be9b43fe80a5217f617
[ "BSD-3-Clause" ]
permissive
salesforce/bazel-ls-demo-project
5cc6ef749d65d6626080f3a94239b6a509ef145a
948ed278f87338edd7e40af68b8690ae4f73ebf0
refs/heads/master
2023-06-24T08:06:06.084651
2023-03-14T11:54:29
2023-03-14T11:54:29
241,489,944
0
5
BSD-3-Clause
2023-03-27T11:28:14
2020-02-18T23:30:47
Java
UTF-8
Java
false
false
858
java
package module1358_public.a; import java.sql.*; import java.util.logging.*; import java.util.zip.*; /** * Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut * labore et dolore magna aliquyam erat, sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. * Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet. * * @see javax.management.Attribute * @see javax.naming.directory.DirContext * @see javax.net.ssl.ExtendedSSLSession */ @SuppressWarnings("all") public interface IFoo3<H> extends module1358_public.a.IFoo2<H> { javax.rmi.ssl.SslRMIClientSocketFactory f0 = null; java.awt.datatransfer.DataFlavor f1 = null; java.beans.beancontext.BeanContext f2 = null; String getName(); void setName(String s); H get(); void set(H e); }
[ "gwagenknecht@salesforce.com" ]
gwagenknecht@salesforce.com
ea599052a768ebccc40f06c8e19049c335940484
d5364ee5a41c8a8780f136f8d5c0da9a4b69442a
/Diff/srcdiff/co/edu/uniandes/metamodels/Diff/validation/ModifyParameterSchemaTypeValidator.java
64b39a2405a95a92623fa316ff29a9cc3074ff54
[]
no_license
daprieto1/API-Adaptation
3266d36c75bedec2f6e6cd7340c6c85fb07317eb
0d14a734efa4d98933287863ffbc1c586b6ec57b
refs/heads/master
2021-08-17T03:16:06.259268
2018-12-16T19:44:14
2018-12-16T19:44:14
148,498,185
0
0
null
null
null
null
UTF-8
Java
false
false
559
java
/** * * $Id$ */ package co.edu.uniandes.metamodels.Diff.validation; /** * A sample validator interface for {@link co.edu.uniandes.metamodels.Diff.ModifyParameterSchemaType}. * This doesn't really do anything, and it's not a real EMF artifact. * It was generated by the org.eclipse.emf.examples.generator.validator plug-in to illustrate how EMF's code generator can be extended. * This can be disabled with -vmargs -Dorg.eclipse.emf.examples.generator.validator=false. */ public interface ModifyParameterSchemaTypeValidator { boolean validate(); }
[ "jarvein@hotmail.com" ]
jarvein@hotmail.com
a22ba2cc71024f35dca2eba9cd7769471d98b618
4e22be687b5b6f552f6d53dfcaec3378c0e5823c
/src/main/java/comp4111/handler/HttpEndpointHandler.java
d67314ea86cbdc584589cce1fdcb76f88d558b12
[]
no_license
Derppening/comp4111-project
c80b126abe3ac7d85fbc36e39bbd624a8232c103
69f3351c584eacf0c24917f7dd518608951945aa
refs/heads/master
2022-09-14T09:12:42.872167
2020-05-24T15:26:28
2020-05-24T15:26:28
242,716,978
0
0
null
null
null
null
UTF-8
Java
false
false
4,886
java
package comp4111.handler; import comp4111.controller.TokenManager; import comp4111.util.HttpUtils; import org.apache.hc.core5.http.*; import org.apache.hc.core5.http.io.HttpRequestHandler; import org.apache.hc.core5.http.io.entity.StringEntity; import org.jetbrains.annotations.NotNull; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import java.io.IOException; import java.util.Map; /** * A handler which binds to a specific {@link HttpEndpoint}. */ public abstract class HttpEndpointHandler implements HttpRequestHandler, HttpEndpoint { protected final Logger LOGGER = LoggerFactory.getLogger(this.getClass()); @NotNull protected TokenManager getTokenMgr() { return TokenManager.getInstance(); } /** * @return The handler definition, which may be any object which inherits from {@link HttpEndpoint}. */ @NotNull public abstract HttpEndpoint getHandlerDefinition(); /** * @return The path pattern that this class handles. */ @Override public final @NotNull String getHandlePattern() { return getHandlerDefinition().getHandlePattern(); } /** * @return The HTTP method that this class handles. */ @NotNull @Override public final Method getHandleMethod() { return getHandlerDefinition().getHandleMethod(); } /** * Checks whether the method used in a request matches the accepted method by this handler. * * @param request HTTP request to check. * @param response HTTP response for this request. * @throws IllegalArgumentException if {@code request} is sent using an incompatible method. If this exception is * thrown, the response code of {@code response} will be set appropriately */ protected final void checkMethod(@NotNull ClassicHttpRequest request, @NotNull ClassicHttpResponse response) { final Method method = HttpUtils.toMethodOrNull(request.getMethod()); if (method == null || !method.equals(getHandleMethod())) { response.setCode(HttpStatus.SC_METHOD_NOT_ALLOWED); response.setHeader("Allow", getHandleMethod()); throw new IllegalArgumentException(); } } /** * Retrieves the token from the query parameters. * * @param queryParams Query parameters for this request. * @param response HTTP response for this request. * @return String representing the token. * @throws IllegalArgumentException if the query parameters do not contain the token. If this exception is throw, * the response code of {@code response} will be set appropriately. */ @NotNull protected static String getToken(@NotNull Map<String, String> queryParams, @NotNull ClassicHttpResponse response) { if (!queryParams.containsKey("token")) { response.setCode(HttpStatus.SC_BAD_REQUEST); throw new IllegalArgumentException(); } return queryParams.get("token"); } /** * Retrieves the token from the query parameters and checks whether it is correct. * * @param queryParams Query parameters for this request. * @param response HTTP response for this request. * @return String representing the token. * @throws IllegalArgumentException if the query parameters do not contain the token, or the token is incorrect. If * this exception is throw, the response code of {@code response} will be set appropriately. */ @NotNull protected final String checkToken(@NotNull Map<String, String> queryParams, @NotNull ClassicHttpResponse response) { final var token = getToken(queryParams, response); if (!getTokenMgr().containsToken(token)) { response.setCode(HttpStatus.SC_BAD_REQUEST); throw new IllegalArgumentException(); } return token; } /** * Retrieves the payload of the request. * * @param request The HTTP request. * @param response The HTTP response to the request. * @return A byte array of the payload. * @throws IllegalArgumentException if there is no payload associated with the request. If this exception is thrown, * the response code of {@code response} will be set appropriately. */ @NotNull protected static byte[] getPayload(@NotNull ClassicHttpRequest request, @NotNull ClassicHttpResponse response) throws IOException { if (request.getEntity() == null) { response.setCode(HttpStatus.SC_BAD_REQUEST); response.setEntity(new StringEntity("Payload must be specified", ContentType.TEXT_PLAIN)); throw new IllegalArgumentException(); } return request.getEntity().getContent().readAllBytes(); } }
[ "david.18.19.21@gmail.com" ]
david.18.19.21@gmail.com
a3242fe69850834f8369d9c18ae94a7a772301a4
e8de83cabebaad8596e7843f567a5aa134880b5b
/src/main/java/pl/coderslab/labor/LaborMapper.java
5a2e1dfddc77ad980375b270255ea6bcfba9469c
[]
no_license
PawelDabrowski83/CarServiceCRM
fa83ad9fefed00146e99d8cc0e622b4fc7c5c5ef
8d03ed0772e2fca6c68e1e8aaf7df30dc63f746c
refs/heads/master
2022-06-22T07:13:04.144567
2020-10-14T08:29:42
2020-10-14T08:29:42
248,192,388
1
0
null
2022-06-21T03:00:44
2020-03-18T09:48:25
Java
UTF-8
Java
false
false
5,523
java
package pl.coderslab.labor; import pl.coderslab.commons.GenericDao; import pl.coderslab.commons.MapperInterface; import pl.coderslab.commons.ServiceInterface; import pl.coderslab.employee.Employee; import pl.coderslab.employee.EmployeeDto; import pl.coderslab.employee.EmployeeEntity; import pl.coderslab.employee.EmployeeService; import pl.coderslab.vehicle.Vehicle; import pl.coderslab.vehicle.VehicleDto; import pl.coderslab.vehicle.VehicleEntity; import pl.coderslab.vehicle.VehicleService; public class LaborMapper implements MapperInterface<LaborDto, Labor, LaborEntity> { private final GenericDao<EmployeeEntity> EMPLOYEE_DAO; private final MapperInterface<EmployeeDto, Employee, EmployeeEntity> EMPLOYEE_MAPPER; private final ServiceInterface<EmployeeDto> EMPLOYEE_SERVICE; private final GenericDao<VehicleEntity> VEHICLE_DAO; private final MapperInterface<VehicleDto, Vehicle, VehicleEntity> VEHICLE_MAPPER; private final ServiceInterface<VehicleDto> VEHICLE_SERVICE; public LaborMapper(GenericDao<EmployeeEntity> EMPLOYEE_DAO, MapperInterface<EmployeeDto, Employee, EmployeeEntity> EMPLOYEE_MAPPER, GenericDao<VehicleEntity> VEHICLE_DAO, MapperInterface<VehicleDto, Vehicle, VehicleEntity> VEHICLE_MAPPER) { this.EMPLOYEE_DAO = EMPLOYEE_DAO; this.EMPLOYEE_MAPPER = EMPLOYEE_MAPPER; this.EMPLOYEE_SERVICE = new EmployeeService(EMPLOYEE_DAO, EMPLOYEE_MAPPER); this.VEHICLE_DAO = VEHICLE_DAO; this.VEHICLE_MAPPER = VEHICLE_MAPPER; this.VEHICLE_SERVICE = new VehicleService(VEHICLE_DAO, VEHICLE_MAPPER); } @Override public LaborDto mapServiceToDto(Labor labor) { LaborDto dto = new LaborDto(); dto.setLaborId(labor.getLaborId()); dto.setRegistrationDate(labor.getRegistrationDate()); dto.setScheduledDate(labor.getScheduledDate()); dto.setStartedDate(labor.getStartedDate()); dto.setFinishedDate(labor.getFinishedDate()); dto.setEmployeeId(labor.getEmployee().getEmployeeId()); dto.setEmployeeFullname(labor.getEmployeeFullname()); dto.setDescriptionIssue(labor.getDescriptionIssue()); dto.setDescriptionService(labor.getDescriptionService()); dto.setStatus(String.valueOf(labor.getStatus())); dto.setVehicleId(labor.getVehicle().getVehicleId()); dto.setVehicleSignature(labor.getVehicleSignature()); dto.setCustomerCost(labor.getCustomerCost()); dto.setMaterialCost(labor.getMaterialCost()); dto.setMhTotal(labor.getMhTotal()); dto.setCustomerFullname(labor.getCustomerFullname()); return dto; } @Override public Labor mapDtoToService(LaborDto dto) { Labor labor = new Labor(); labor.setLaborId(dto.getLaborId()); labor.setRegistrationDate(dto.getRegistrationDate()); labor.setScheduledDate(dto.getScheduledDate()); labor.setStartedDate(dto.getStartedDate()); labor.setFinishedDate(dto.getFinishedDate()); labor.setEmployee(EMPLOYEE_MAPPER.mapDtoToService(EMPLOYEE_SERVICE.read(dto.getEmployeeId()))); labor.setDescriptionIssue(dto.getDescriptionIssue()); labor.setDescriptionService(dto.getDescriptionService()); labor.setStatus(Labor.StatusEnum.valueOf(dto.getStatus())); labor.setVehicle(VEHICLE_MAPPER.mapDtoToService(VEHICLE_SERVICE.read(dto.getVehicleId()))); labor.setCustomerCost(dto.getCustomerCost()); labor.setMaterialCost(dto.getMaterialCost()); labor.setMhTotal(dto.getMhTotal()); return labor; } @Override public LaborEntity mapServiceToEntity(Labor labor) { LaborEntity entity = new LaborEntity(); entity.setLaborId(labor.getLaborId()); entity.setRegistrationDate(labor.getRegistrationDate()); entity.setScheduledDate(labor.getScheduledDate()); entity.setStartedDate(labor.getStartedDate()); entity.setFinishedDate(labor.getFinishedDate()); entity.setEmployeeId(labor.getEmployee().getEmployeeId()); entity.setDescriptionIssue(labor.getDescriptionIssue()); entity.setDescriptionService(labor.getDescriptionService()); entity.setStatus(LaborEntity.StatusEnum.valueOf(labor.getStatus())); entity.setVehicleId(labor.getVehicle().getVehicleId()); entity.setCustomerCost(labor.getCustomerCost()); entity.setMaterialCost(labor.getMaterialCost()); entity.setMhTotal(labor.getMhTotal()); return entity; } @Override public Labor mapEntityToService(LaborEntity entity) { Labor labor = new Labor(); labor.setLaborId(entity.getLaborId()); labor.setRegistrationDate(entity.getRegistrationDate()); labor.setScheduledDate(entity.getScheduledDate()); labor.setStartedDate(entity.getStartedDate()); labor.setFinishedDate(entity.getFinishedDate()); labor.setEmployee(EMPLOYEE_MAPPER.mapDtoToService(EMPLOYEE_SERVICE.read(entity.getEmployeeId()))); labor.setDescriptionIssue(entity.getDescriptionIssue()); labor.setDescriptionService(entity.getDescriptionService()); labor.setStatus(Labor.StatusEnum.valueOf(entity.getStatus())); labor.setVehicle(VEHICLE_MAPPER.mapDtoToService(VEHICLE_SERVICE.read(entity.getVehicleId()))); labor.setCustomerCost(entity.getCustomerCost()); labor.setMaterialCost(entity.getMaterialCost()); labor.setMhTotal(entity.getMhTotal()); return labor; } }
[ "fluorix@gmail.com" ]
fluorix@gmail.com
ec9ef4e76b9ef0edd8f682fa864fa98f0397adfb
fa1d8295ddd5310c973d6e65e3f78d01124f2637
/day10/Test05.java
3ff4455a8deed356815d3d45bffce06535858d4c
[]
no_license
bin-xie/Notes
5e60ae6325a762b74c4f6176a19f9514d4970b1b
440e4b04bd6b6c8d4d0fce75b29ee83869400f8a
refs/heads/master
2023-01-07T08:19:44.685968
2020-11-13T14:36:19
2020-11-13T14:36:19
306,333,112
0
0
null
null
null
null
UTF-8
Java
false
false
1,531
java
package Notes.day10; /** * 复习 */ public class Test05 { public static void main(String[] args) { /** * 定义变量 */ /*int num; num=10; System.out.println(num);*/ /** * 8种基础数据类型 * 数值型:byte short int long * 浮 点:float double * 字符型:char * 布尔型: boolean */ /** * 引用数据类型: String * 接口: interface * 数组: [] */ /** * if循环 */ /*if(true){//只有是真的情况下才进来的 System.out.println("进 来"); }else { System.out.println("没有进来"); }*/ /*if(!true){//只有是真的情况下才进来的 System.out.println("进 来"); }else { System.out.println("没有进来"); }*/ /* if(4>5){ //这样可以 但不能这样写(!4>5) System.out.println("进 来"); }else { System.out.println("没有进来"); }*/ /* if(5!=5){ System.out.println("进 来"); }else { System.out.println("没有进来"); }*/ String str = "abc"; String str2 = new String("abc"); System.out.println(str==str2); System.out.println(str.equals(str2)); //数字不能使用equals /*if (true){ if (true){ } }*/ } }
[ "643693501@qq.com" ]
643693501@qq.com
a712b3c0bde666e06f48bf4f3e80098fe6948780
c25047155b632018c65a1fbc9de14b6cfbc0869e
/jdy/jdy.base.swing/src/main/java/de/jdynameta/view/action/AdminActionBar.java
a9873cbb028cb9fe2a3aa4b6df36690e66e05d31
[ "Apache-2.0" ]
permissive
schnurlei/jdynameta
d7cf77b1c4cc18c315d48ed1501bd092018d036b
58df2e9c13a3c2aae0bb2ea650e503461dc0fb19
refs/heads/master
2021-06-17T10:51:25.509915
2017-02-05T15:25:18
2017-02-05T15:29:23
41,876,457
0
0
null
null
null
null
UTF-8
Java
false
false
4,620
java
/** * * Copyright 2011 (C) Rainer Schneider,Roggenburg <schnurlei@googlemail.com> * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package de.jdynameta.view.action; import java.awt.BorderLayout; import java.awt.Color; import java.awt.GridBagConstraints; import java.awt.GridBagLayout; import java.awt.GridLayout; import java.awt.Insets; import java.beans.PropertyChangeEvent; import java.beans.PropertyChangeListener; import javax.swing.AbstractButton; import javax.swing.Action; import javax.swing.BorderFactory; import javax.swing.JButton; import javax.swing.JPanel; import javax.swing.JToggleButton; public class AdminActionBar { public static final String BTN_PROPERTY_HIGHLIGHT = "Highlight"; public static final String BTN_PROPERTY_BTN_GROUP = "ActionButtonGroup"; private final JPanel actionBarPnl; private final JPanel actionBarRightPnl; private final JPanel mainPnl; public AdminActionBar() { this.actionBarPnl = new JPanel(); this.actionBarRightPnl = new JPanel(); this.mainPnl = createActionBarPanel(); } private JPanel createActionBarPanel() { actionBarRightPnl.setLayout((new GridLayout(1,4, 10, 10))); // gridLayout to ensure same size of buttons actionBarPnl.setLayout((new GridLayout(1,4, 10, 10))); // gridLayout to ensure same size of buttons JPanel pnlButtonsDecorator = new JPanel(new GridBagLayout()); // Gridbag to place it in the middle, ensure size is not wider the necessary pnlButtonsDecorator.add(actionBarPnl, new GridBagConstraints(0, 0, 1, 1 ,0.0, 0.0, GridBagConstraints.CENTER, GridBagConstraints.NONE , new Insets(10,0,10,0), 0,0 )); JPanel pnlButtonsDecoratorRight = new JPanel(new GridBagLayout()); // Gridbag to place it in the middle, ensure size is not wider the necessary pnlButtonsDecoratorRight.add(actionBarRightPnl, new GridBagConstraints(0, 0, 1, 1 ,1.0, 0.0, GridBagConstraints.CENTER, GridBagConstraints.HORIZONTAL , new Insets(10,0,10,0), 0,0 )); JPanel buttonPnl = new JPanel(new BorderLayout()); buttonPnl.add(pnlButtonsDecorator, BorderLayout.LINE_START); buttonPnl.add(pnlButtonsDecoratorRight, BorderLayout.LINE_END); buttonPnl.setBorder(BorderFactory.createEmptyBorder(2, 5, 2, 5)); return buttonPnl; } protected JPanel getActionBarPnl() { return actionBarPnl; } public AbstractButton addActionsToActionBar(Action aNewAction, boolean isSeperator) { final AbstractButton newButton; if( !isSeperator) { boolean isToggleBtn = aNewAction.getValue(Action.SELECTED_KEY) != null; if( isToggleBtn ) { newButton = new JToggleButton(aNewAction); } else { newButton = new JButton(aNewAction); } newButton.setName("actionbar."+(String) aNewAction.getValue(Action.NAME)); newButton.getAccessibleContext().setAccessibleName("actionbar." + (String)aNewAction.getValue(Action.NAME)); this.actionBarPnl.add(newButton); aNewAction.addPropertyChangeListener( new PropertyChangeListener() { public void propertyChange(PropertyChangeEvent evt) { if(evt.getPropertyName().equals(BTN_PROPERTY_HIGHLIGHT)) { if ( evt.getNewValue().equals("true") ) { newButton.setForeground(Color.RED); } else { newButton.setForeground(Color.BLACK); } } } }); getActionBarPnl().add(newButton); } else { newButton = null; // getActionBarPnl().add(new JToolBar.Separator( null )); } return newButton; } public JButton addActionsToActionBarRight(Action aNewAction) { final JButton newButton = new JButton(aNewAction); newButton.setName("actionbar."+(String) aNewAction.getValue(Action.NAME)); this.actionBarRightPnl.add(newButton); return newButton; } public void removeFromPanel(JPanel aPnl) { aPnl.remove(this.mainPnl); } public void addToPanel(JPanel aPnl, String aConstraint) { aPnl.add(this.mainPnl, aConstraint); } }
[ "schnurlei@gmail.com" ]
schnurlei@gmail.com
7365ec52c50246bea539719453eabb4db57c4282
50c532c1fad7a2eafbc21ce86358fc8dd99512a8
/com.annotations.spring.core/src/main/java/com/annotations/spring/core/loggers/CacheFileEventLogger.java
52f18bab6422df39d4f1ccb7a700aab7020f99d0
[]
no_license
M-D-Y/spring
491099cf3e0424abcfa0053ef55bfed12952742e
8019474b8c9a0f25596157f795c58bccf4f8e65a
refs/heads/master
2021-05-09T19:59:29.023653
2018-04-24T22:47:31
2018-04-24T22:47:31
117,752,438
0
0
null
null
null
null
UTF-8
Java
false
false
1,221
java
package com.annotations.spring.core.loggers; import java.text.DateFormat; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Date; import java.util.Iterator; import java.util.List; import com.annotations.spring.core.beans.Event; public class CacheFileEventLogger extends FileEventLogger { private int cacheSize; public void setCacheSize(int cacheSize) { this.cacheSize = cacheSize; } private List<Event> cache; public CacheFileEventLogger(String fileName) { super(fileName); cache = new ArrayList<Event>(); } public void logEvent(Event event) { cache.add(event); if (cache.size() >= cacheSize) { writeEventsToFile(); cache.clear(); } } private void writeEventsToFile() { Iterator<Event> iterator = cache.iterator(); while (iterator.hasNext()) { Event event = (Event) iterator.next(); super.logEvent(event); } /* * for (Event event : cache) super.logEvent(event); */ } public void destroy() { Event event = new Event(new Date(), DateFormat.getDateTimeInstance()); event.setMsg("Application destroy!"); cache.add(event); if (!cache.isEmpty()) writeEventsToFile(); } }
[ "muratovd@yandex.ru" ]
muratovd@yandex.ru
4c9e9f136c882ad462e8e4cba9fd6fb0513af625
6f293ba807f72db0eb902903f04358c41a795f48
/src/main/java/com/zhaobo/crud/bean/Employee.java
0a18d0a41ac3c1a8d3b650f6ff2aa333930f3140
[]
no_license
823319298/ssm-crud
3edba90dc14dde78002d84a42af4cae64ceda917
07d057dc01bf73aa242d26a7054e6f405d647ba0
refs/heads/master
2022-12-21T04:09:46.931469
2019-10-27T06:25:58
2019-10-27T06:25:58
217,814,466
1
0
null
2022-11-15T23:31:21
2019-10-27T06:30:16
Java
UTF-8
Java
false
false
5,026
java
package com.zhaobo.crud.bean; public class Employee { /** * * This field was generated by MyBatis Generator. * This field corresponds to the database column tbl_emp.emp_id * * @mbg.generated Wed Oct 16 21:03:58 CST 2019 */ private Integer empId; /** * * This field was generated by MyBatis Generator. * This field corresponds to the database column tbl_emp.emp_name * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ private String empName; /** * * This field was generated by MyBatis Generator. * This field corresponds to the database column tbl_emp.gender * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ private String gender; /** * * This field was generated by MyBatis Generator. * This field corresponds to the database column tbl_emp.email * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ private String email; /** * * This field was generated by MyBatis Generator. * This field corresponds to the database column tbl_emp.d_id * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ private Integer dId; private Department department; public Employee() { } public Employee(Integer empId, String empName, String gender, String email, Integer dId) { this.empId = empId; this.empName = empName; this.gender = gender; this.email = email; this.dId = dId; } public Department getDepartment() { return department; } public void setDepartment(Department department) { this.department = department; } /** * This method was generated by MyBatis Generator. * This method returns the value of the database column tbl_emp.emp_id * * @return the value of tbl_emp.emp_id * * @mbg.generated Wed Oct 16 21:03:58 CST 2019 */ public Integer getEmpId() { return empId; } /** * This method was generated by MyBatis Generator. * This method sets the value of the database column tbl_emp.emp_id * * @param empId the value for tbl_emp.emp_id * * @mbg.generated Wed Oct 16 21:03:58 CST 2019 */ public void setEmpId(Integer empId) { this.empId = empId; } /** * This method was generated by MyBatis Generator. * This method returns the value of the database column tbl_emp.emp_name * * @return the value of tbl_emp.emp_name * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public String getEmpName() { return empName; } /** * This method was generated by MyBatis Generator. * This method sets the value of the database column tbl_emp.emp_name * * @param empName the value for tbl_emp.emp_name * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public void setEmpName(String empName) { this.empName = empName == null ? null : empName.trim(); } /** * This method was generated by MyBatis Generator. * This method returns the value of the database column tbl_emp.gender * * @return the value of tbl_emp.gender * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public String getGender() { return gender; } /** * This method was generated by MyBatis Generator. * This method sets the value of the database column tbl_emp.gender * * @param gender the value for tbl_emp.gender * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public void setGender(String gender) { this.gender = gender == null ? null : gender.trim(); } /** * This method was generated by MyBatis Generator. * This method returns the value of the database column tbl_emp.email * * @return the value of tbl_emp.email * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public String getEmail() { return email; } /** * This method was generated by MyBatis Generator. * This method sets the value of the database column tbl_emp.email * * @param email the value for tbl_emp.email * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public void setEmail(String email) { this.email = email == null ? null : email.trim(); } /** * This method was generated by MyBatis Generator. * This method returns the value of the database column tbl_emp.d_id * * @return the value of tbl_emp.d_id * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public Integer getdId() { return dId; } /** * This method was generated by MyBatis Generator. * This method sets the value of the database column tbl_emp.d_id * * @param dId the value for tbl_emp.d_id * * @mbg.generated Wed Oct 16 21:03:59 CST 2019 */ public void setdId(Integer dId) { this.dId = dId; } }
[ "823319298@qq.com" ]
823319298@qq.com
d62ad81b907cb4e488aeef03072bc32e1f1c6e62
d9f2be589358eaee379a799c017a3e6e1f43e2d2
/android-client/app/src/main/java/com/t4/androidclient/model/livestream/pagination/Paging.java
701cc25f7ed9d1782d9ee4474fbebfcba2a024a6
[]
no_license
tayduivn/Livestream-platform-with-android-and-spring
480ac07caf24d1e5234ff483508defec67896e2e
20ad286b0871b44bc1a8bdbf968c521b8d37cded
refs/heads/master
2023-02-19T12:53:37.602544
2020-01-12T07:17:36
2020-01-12T07:17:36
null
0
0
null
null
null
null
UTF-8
Java
false
false
584
java
package com.t4.androidclient.model.livestream.pagination; public class Paging { Cursors cursors; private String previos; private String next; public Cursors getCursors() { return cursors; } public void setCursors(Cursors cursors) { this.cursors = cursors; } public String getPrevios() { return previos; } public void setPrevios(String previos) { this.previos = previos; } public String getNext() { return next; } public void setNext(String next) { this.next = next; } }
[ "43637889+mrlittle113@users.noreply.github.com" ]
43637889+mrlittle113@users.noreply.github.com
0c75be064775678b42b8bbd12e943f94053b4dd5
9b8c54d9cc6675620f725a85505e23e73b773a00
/src/org/benf/cfr/reader/bytecode/analysis/parse/expression/ArithmeticMutationOperation.java
4c6840979c1d15d921f3c12ab8de9f280e3a29ad
[ "MIT" ]
permissive
leibnitz27/cfr
d54db8d56a1e7cffe720f2144f9b7bba347afd90
d6f6758ee900ae1a1fffebe2d75c69ce21237b2a
refs/heads/master
2023-08-24T14:56:50.161997
2022-08-12T07:17:41
2022-08-12T07:20:06
19,706,727
1,758
252
MIT
2022-08-12T07:19:26
2014-05-12T16:39:42
Java
UTF-8
Java
false
false
5,548
java
package org.benf.cfr.reader.bytecode.analysis.parse.expression; import org.benf.cfr.reader.bytecode.analysis.loc.BytecodeLoc; import org.benf.cfr.reader.bytecode.analysis.parse.Expression; import org.benf.cfr.reader.bytecode.analysis.parse.LValue; import org.benf.cfr.reader.bytecode.analysis.parse.StatementContainer; import org.benf.cfr.reader.bytecode.analysis.parse.expression.misc.Precedence; import org.benf.cfr.reader.bytecode.analysis.parse.literal.TypedLiteral; import org.benf.cfr.reader.bytecode.analysis.parse.rewriters.CloneHelper; import org.benf.cfr.reader.bytecode.analysis.parse.rewriters.ExpressionRewriter; import org.benf.cfr.reader.bytecode.analysis.parse.rewriters.ExpressionRewriterFlags; import org.benf.cfr.reader.bytecode.analysis.parse.utils.*; import org.benf.cfr.reader.state.TypeUsageCollector; import org.benf.cfr.reader.util.Troolean; import org.benf.cfr.reader.util.output.Dumper; import java.util.Set; public class ArithmeticMutationOperation extends AbstractMutatingAssignmentExpression { private LValue mutated; private final ArithOp op; private Expression mutation; public ArithmeticMutationOperation(BytecodeLoc loc, LValue mutated, Expression mutation, ArithOp op) { super(loc, mutated.getInferredJavaType()); this.mutated = mutated; this.op = op; this.mutation = mutation; } @Override public BytecodeLoc getCombinedLoc() { return BytecodeLoc.combine(this, mutation); } @Override public Expression deepClone(CloneHelper cloneHelper) { return new ArithmeticMutationOperation(getLoc(), cloneHelper.replaceOrClone(mutated), cloneHelper.replaceOrClone(mutation), op); } @Override public void collectTypeUsages(TypeUsageCollector collector) { mutated.collectTypeUsages(collector); mutation.collectTypeUsages(collector); } @Override public Precedence getPrecedence() { return Precedence.ASSIGNMENT; } @Override public Dumper dumpInner(Dumper d) { d.dump(mutated).print(' ').operator(op.getShowAs() + "=").print(' '); mutation.dumpWithOuterPrecedence(d, getPrecedence(), Troolean.NEITHER); return d; } @Override public Expression replaceSingleUsageLValues(LValueRewriter lValueRewriter, SSAIdentifiers ssaIdentifiers, StatementContainer statementContainer) { Set fixed = statementContainer.getSSAIdentifiers().getFixedHere(); // anything in fixed CANNOT be assigned to inside rvalue. lValueRewriter = lValueRewriter.getWithFixed(fixed); mutation = mutation.replaceSingleUsageLValues(lValueRewriter, ssaIdentifiers, statementContainer); return this; } @Override public Expression applyExpressionRewriter(ExpressionRewriter expressionRewriter, SSAIdentifiers ssaIdentifiers, StatementContainer statementContainer, ExpressionRewriterFlags flags) { mutated = expressionRewriter.rewriteExpression(mutated, ssaIdentifiers, statementContainer, ExpressionRewriterFlags.LANDRVALUE); mutation = expressionRewriter.rewriteExpression(mutation, ssaIdentifiers, statementContainer, flags); return this; } @Override public Expression applyReverseExpressionRewriter(ExpressionRewriter expressionRewriter, SSAIdentifiers ssaIdentifiers, StatementContainer statementContainer, ExpressionRewriterFlags flags) { mutation = expressionRewriter.rewriteExpression(mutation, ssaIdentifiers, statementContainer, flags); mutated = expressionRewriter.rewriteExpression(mutated, ssaIdentifiers, statementContainer, ExpressionRewriterFlags.LANDRVALUE); return this; } @Override public boolean isSelfMutatingOp1(LValue lValue, ArithOp arithOp) { return this.mutated.equals(lValue) && this.op == arithOp && this.mutation.equals(new Literal(TypedLiteral.getInt(1))); } @Override public LValue getUpdatedLValue() { return mutated; } public ArithOp getOp() { return op; } public Expression getMutation() { return mutation; } @Override public ArithmeticPostMutationOperation getPostMutation() { return new ArithmeticPostMutationOperation(getLoc(), mutated, op); } @Override public ArithmeticPreMutationOperation getPreMutation() { return new ArithmeticPreMutationOperation(getLoc(), mutated, op); } @Override public void collectUsedLValues(LValueUsageCollector lValueUsageCollector) { mutation.collectUsedLValues(lValueUsageCollector); } @Override public boolean equals(Object o) { if (o == this) return true; if (!(o instanceof ArithmeticMutationOperation)) return false; ArithmeticMutationOperation other = (ArithmeticMutationOperation) o; return mutated.equals(other.mutated) && op.equals(other.op) && mutation.equals(other.mutation); } @Override public final boolean equivalentUnder(Object o, EquivalenceConstraint constraint) { if (o == null) return false; if (o == this) return true; if (getClass() != o.getClass()) return false; ArithmeticMutationOperation other = (ArithmeticMutationOperation) o; if (!constraint.equivalent(op, other.op)) return false; if (!constraint.equivalent(mutated, other.mutated)) return false; if (!constraint.equivalent(mutation, other.mutation)) return false; return true; } }
[ "lee@benf.org" ]
lee@benf.org
aab3058b0cbcec4565b9dae42d9bd7191fcce08d
2c7bbc8139c4695180852ed29b229bb5a0f038d7
/com/netflix/mediaclient/service/falkor/Falkor$Creator$14.java
5d1a627e11fed28871a04e2e9711fb66e7bdd33a
[]
no_license
suliyu/evolucionNetflix
6126cae17d1f7ea0bc769ee4669e64f3792cdd2f
ac767b81e72ca5ad636ec0d471595bca7331384a
refs/heads/master
2020-04-27T05:55:47.314928
2017-05-08T17:08:22
2017-05-08T17:08:22
null
0
0
null
null
null
null
UTF-8
Java
false
false
532
java
// // Decompiled by Procyon v0.5.30 // package com.netflix.mediaclient.service.falkor; import com.netflix.falkor.ModelProxy; import com.netflix.model.branches.FalkorEpisode; import com.netflix.falkor.Func; final class Falkor$Creator$14 implements Func<FalkorEpisode> { final /* synthetic */ ModelProxy val$proxy; Falkor$Creator$14(final ModelProxy val$proxy) { this.val$proxy = val$proxy; } @Override public FalkorEpisode call() { return new FalkorEpisode(this.val$proxy); } }
[ "sy.velasquez10@uniandes.edu.co" ]
sy.velasquez10@uniandes.edu.co
60c44a64bd01a6400eee2633ff918f8af84ea521
2cc34f684a828e8faee60d03827e0a37bce4f2ed
/Two Sum/src/twosum/BruteForce.java
fe6aa8ab01be68f8b03b43c3c36ee9281231a49e
[]
no_license
serenagibbons/LeetCode
54fde645c8934bd7d32b6f11b3366f56aaebd1de
049a3b4b013f37cc10e3674dacb321ff7b83772a
refs/heads/master
2020-06-24T08:47:02.462178
2019-07-31T15:41:02
2019-07-31T15:41:02
198,919,934
0
0
null
null
null
null
UTF-8
Java
false
false
477
java
package twosum; class BruteForce { public int[] twoSum(int[] nums, int target) { int[] sol = new int[2]; for (int i = 0; i < nums.length; i++) { for (int j = 0; j < nums.length; j++) { if (j == i) continue; if (nums[i] + nums[j] == target) { sol[0] = j; sol[1] = i; } } } return sol; } }
[ "serenalgibbons@gmail.com" ]
serenalgibbons@gmail.com
5e77a37ad55dfc422242707ae3127b28d88fa69c
add9987b8e5dc33395a2220f99e6a5d418b9df64
/src/main/java/com/squareup/square/models/RetrieveCashDrawerShiftRequest.java
d8c6e35b1f2371f33ab57edfd0521a72091ff20e
[ "Apache-2.0" ]
permissive
ochibooh/square-java-sdk
0ec66c2dc01a3aaf57387321c19de2f0b04a5ee2
e3c5e54cbb74ad31afa432cd8b8bd71da4e7ac98
refs/heads/master
2022-11-23T22:38:06.998775
2019-12-19T23:07:16
2019-12-19T23:07:16
229,800,994
2
0
NOASSERTION
2022-11-16T08:59:57
2019-12-23T18:08:01
null
UTF-8
Java
false
false
1,786
java
package com.squareup.square.models; import java.util.Objects; import com.fasterxml.jackson.annotation.JsonCreator; import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonGetter; public class RetrieveCashDrawerShiftRequest { @JsonCreator public RetrieveCashDrawerShiftRequest( @JsonProperty("location_id") String locationId) { this.locationId = locationId; } private final String locationId; @Override public int hashCode() { return Objects.hash(locationId); } @Override public boolean equals(Object o) { if (o == this) return true; if (!(o instanceof RetrieveCashDrawerShiftRequest)) { return false; } RetrieveCashDrawerShiftRequest retrieveCashDrawerShiftRequest = (RetrieveCashDrawerShiftRequest) o; return Objects.equals(locationId, retrieveCashDrawerShiftRequest.locationId); } /** * Getter for LocationId. * The ID of the location to retrieve cash drawer shifts from. */ @JsonGetter("location_id") public String getLocationId() { return this.locationId; } public Builder toBuilder() { Builder builder = new Builder(locationId); return builder; } public static class Builder { private String locationId; public Builder(String locationId) { this.locationId = locationId; } public Builder locationId(String value) { locationId = value; return this; } public RetrieveCashDrawerShiftRequest build() { return new RetrieveCashDrawerShiftRequest(locationId); } } }
[ "ssung@squareup.com" ]
ssung@squareup.com
f5dd2abca6837dbbbd6d44b7e3ad2e6a88193a8c
5cd3600ba89cf8d07045d439b2915d11d7ec0e9b
/Salesforce_Core_Framework/src/main/java/com/test/xcdhr/Salesforce_Core_Framework1/hrms_payroll/rti_Payroll_Scenario3_Month11/TestSuiteBase.java
e64471c766663e1a2185ec522b76f117666f5df2
[]
no_license
AzizMudgal/XCDHR_Payroll
56e49d17f467e1b37c336d9042c0557855ce8bb9
fa6c6a665a4d19cec7645edc4914ac4ac2fa4ca4
refs/heads/master
2021-01-19T23:01:01.467009
2018-06-19T13:36:54
2018-06-19T13:36:54
101,260,492
0
0
null
2018-02-19T06:29:10
2017-08-24T06:14:06
Java
UTF-8
Java
false
false
829
java
package com.test.xcdhr.Salesforce_Core_Framework1.hrms_payroll.rti_Payroll_Scenario3_Month11; import org.testng.annotations.BeforeSuite; import com.test.xcdhr.Salesforce_Core_Framework1.testBase.TestBase; import com.test.xcdhr.Salesforce_Core_Framework1.Salesforce_Util.Test_Util; public class TestSuiteBase extends TestBase { @BeforeSuite public void CheckSuiteSkip() throws Throwable { initialize(); processDesiredTaxYearInputExcelFile(TaxYear); APP_LOGS.debug("Checking runmode of"+ PayrollRecognitionScenario3_Inputsheet); if(! Test_Util.isSuiteRunnable(SuiteXls,PayrollRecognitionScenario3_Inputsheet)) { APP_LOGS.debug("Setting the Payroll Suite to OFF as the runmode is set to 'N'"); throw new Exception("Payroll suite is not going to execute as its being skipped"); } } }
[ "azizm@peoplexcd.com" ]
azizm@peoplexcd.com
71da4ef209326c58bf5e05a7a46d469b04f414b2
4312a71c36d8a233de2741f51a2a9d28443cd95b
/RawExperiments/DB/Math70/AstorMain-math70/src/variant-1441/org/apache/commons/math/analysis/solvers/UnivariateRealSolverUtils.java
10a049fe50ddc79ad53acc463bfa1b3b4af8c4b1
[]
no_license
SajjadZaidi/AutoRepair
5c7aa7a689747c143cafd267db64f1e365de4d98
e21eb9384197bae4d9b23af93df73b6e46bb749a
refs/heads/master
2021-05-07T00:07:06.345617
2017-12-02T18:48:14
2017-12-02T18:48:14
112,858,432
0
0
null
null
null
null
UTF-8
Java
false
false
4,459
java
package org.apache.commons.math.analysis.solvers; public class UnivariateRealSolverUtils { private static final java.lang.String NULL_FUNCTION_MESSAGE = "function is null"; private UnivariateRealSolverUtils() { super(); } public static double solve(org.apache.commons.math.analysis.UnivariateRealFunction f, double x0, double x1) throws org.apache.commons.math.ConvergenceException, org.apache.commons.math.FunctionEvaluationException { org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.setup(f); return org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.LazyHolder.FACTORY.newDefaultSolver().solve(f, x0, x1); } public static double solve(org.apache.commons.math.analysis.UnivariateRealFunction f, double x0, double x1, double absoluteAccuracy) throws org.apache.commons.math.ConvergenceException, org.apache.commons.math.FunctionEvaluationException { org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.setup(f); org.apache.commons.math.analysis.solvers.UnivariateRealSolver solver = org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.LazyHolder.FACTORY.newDefaultSolver(); solver.setAbsoluteAccuracy(absoluteAccuracy); return solver.solve(f, x0, x1); } public static double[] bracket(org.apache.commons.math.analysis.UnivariateRealFunction function, double initial, double lowerBound, double upperBound) throws org.apache.commons.math.ConvergenceException, org.apache.commons.math.FunctionEvaluationException { return org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.bracket(function, initial, lowerBound, upperBound, java.lang.Integer.MAX_VALUE); } public static double[] bracket(org.apache.commons.math.analysis.UnivariateRealFunction function, double initial, double lowerBound, double upperBound, int maximumIterations) throws org.apache.commons.math.ConvergenceException, org.apache.commons.math.FunctionEvaluationException { if (function == null) { throw org.apache.commons.math.MathRuntimeException.createIllegalArgumentException(org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.NULL_FUNCTION_MESSAGE); } if (maximumIterations <= 0) { throw org.apache.commons.math.MathRuntimeException.createIllegalArgumentException("bad value for maximum iterations number: {0}", maximumIterations); } if (((initial < lowerBound) || (initial > upperBound)) || (lowerBound >= upperBound)) { throw org.apache.commons.math.MathRuntimeException.createIllegalArgumentException("invalid bracketing parameters: lower bound={0}, initial={1}, upper bound={2}", lowerBound, initial, upperBound); } double a = initial; double b = initial; double fa; double fb; int numIterations = 0; do { a = java.lang.Math.max((a - 1.0), lowerBound); b = java.lang.Math.min((b + 1.0), upperBound); fa = function.value(a); fb = function.value(b); numIterations++; } while ((((fa * fb) > 0.0) && (numIterations < maximumIterations)) && ((a > lowerBound) || (b < upperBound)) ); if ((fa * fb) > 0.0) { throw new org.apache.commons.math.ConvergenceException(("number of iterations={0}, maximum iterations={1}, " + ("initial={2}, lower bound={3}, upper bound={4}, final a value={5}, " + "final b value={6}, f(a)={7}, f(b)={8}")) , numIterations , maximumIterations , initial , lowerBound , upperBound , a , b , fa , fb); } return new double[]{ a , b }; } public static double midpoint(double a, double b) { throw org.apache.commons.math.MathRuntimeException.createIllegalArgumentException("matrix must have at least one column"); return (a + b) * 0.5; } private static void setup(org.apache.commons.math.analysis.UnivariateRealFunction f) { if (f == null) { throw org.apache.commons.math.MathRuntimeException.createIllegalArgumentException(org.apache.commons.math.analysis.solvers.UnivariateRealSolverUtils.NULL_FUNCTION_MESSAGE); } } private static class LazyHolder { private static final org.apache.commons.math.analysis.solvers.UnivariateRealSolverFactory FACTORY = org.apache.commons.math.analysis.solvers.UnivariateRealSolverFactory.newInstance(); } }
[ "sajjad.syed@ucalgary.ca" ]
sajjad.syed@ucalgary.ca
42489d17406b244660a8e199139b3aa36441d0bf
ab29db898c4a49802fec7fe07e0afff810597f3d
/src/main/java/minestrapteam/virtious/common/VEventHandler.java
820f3b869b5309e2b66bedac51ca112af84ecf7f
[]
no_license
MinestrapTeam/Virtious
85f051a7232c79ed8dedc8523961ce694e96d9ce
2a9c01c92211b6fb804742443465477a8ad1e0f6
refs/heads/master
2021-01-16T18:59:59.938691
2014-09-06T22:08:02
2014-09-06T22:08:02
11,410,287
0
0
null
null
null
null
UTF-8
Java
false
false
942
java
package minestrapteam.virtious.common; import cpw.mods.fml.common.eventhandler.Event.Result; import cpw.mods.fml.common.eventhandler.SubscribeEvent; import minestrapteam.virtious.lib.VBlocks; import minestrapteam.virtious.lib.VItems; import net.minecraft.block.Block; import net.minecraft.item.ItemStack; import net.minecraftforge.event.entity.player.FillBucketEvent; public class VEventHandler { @SubscribeEvent public void onBucketFill(FillBucketEvent event) { ItemStack result = null; int x = event.target.blockX; int y = event.target.blockY; int z = event.target.blockZ; Block block = event.world.getBlock(x, y, z); int metadata = event.world.getBlockMetadata(x, y, z); if (block == VBlocks.virtious_acid && metadata == 0) { result = new ItemStack(VItems.acid_bucket); } if (result != null) { event.world.setBlockToAir(x, y, z); event.result = result; event.setResult(Result.ALLOW); } } }
[ "clashsoft@hotmail.com" ]
clashsoft@hotmail.com
98aec6ae6dafa0e90b0a7fbccfd5e371f353462d
2c1486a2c651b730291eeed81dad061fdb8834d5
/app/src/main/java/com/ryan/interviewtest/adapter/RecyclerViewAdapter.java
192592e3896a6402b40d09746a62e0cf88b910a7
[]
no_license
rui157953/Android-Proficiency-Exercise
d4c4568fd439b15944da21be3d24aa022c3e18fc
6b5ceb7c5c2b19c66e06380f7a89236338239bb6
refs/heads/master
2021-01-12T06:00:19.648232
2016-12-29T04:25:02
2016-12-29T04:25:02
77,268,927
0
0
null
2016-12-24T06:07:43
2016-12-24T06:07:43
null
UTF-8
Java
false
false
6,934
java
package com.ryan.interviewtest.adapter; import android.content.Context; import android.support.v4.view.ViewPager; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.TextView; import com.ryan.interviewtest.view.MyIndicator; import com.ryan.interviewtest.R; import com.ryan.interviewtest.model.ResultsBean; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Date; import java.util.List; /** * Created by Ryan. */ public class RecyclerViewAdapter extends RecyclerView.Adapter<RecyclerView.ViewHolder> implements View.OnClickListener { public static final int TYPE_PURE_TEXT = 0; public static final int TYPE_TEXT_WITH_IMAGES = 1; public static final int TYPE_FOOTER = 2; private final LayoutInflater mLayoutInflater; private Context mContext; private List<ResultsBean> mBeanList; private OnItemClickListener mItemClickListener; private boolean canLoadMore = true; public void setCanLoadMore(boolean canLoadMore) { this.canLoadMore = canLoadMore; } @Override public void onClick(View v) { if (mItemClickListener == null) return; //注意这里使用getTag方法获取数据 mItemClickListener.onItemClick(v,(int)v.getTag()); } public interface OnItemClickListener{ void onItemClick(View view ,int position); } public void setOnItemClickListener(OnItemClickListener itemClickListener) { mItemClickListener = itemClickListener; } public RecyclerViewAdapter(Context context, List<ResultsBean> beanList) { mContext = context; mBeanList = beanList; mLayoutInflater = LayoutInflater.from(context); } @Override public int getItemViewType(int position) { int type; if (position +1 == getItemCount()){ type = TYPE_FOOTER; }else if (mBeanList.get(position).getImages()!=null){ type = TYPE_TEXT_WITH_IMAGES; }else { type = TYPE_PURE_TEXT; } return type; } @Override public RecyclerView.ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) { if (viewType == TYPE_PURE_TEXT){ View view = mLayoutInflater.inflate(R.layout.list_pure_text_item,null); view.setOnClickListener(this); return new PureTextViewHolder(view); }else if (viewType == TYPE_TEXT_WITH_IMAGES){ View view = mLayoutInflater.inflate(R.layout.list_with_images_item,null); view.setOnClickListener(this); return new TextWithImagesViewHolder(view); }else { View view = LayoutInflater.from(parent.getContext()).inflate( R.layout.footer_view, null); view.setOnClickListener(this); view.setLayoutParams(new ViewGroup.LayoutParams(ViewGroup.LayoutParams.MATCH_PARENT, ViewGroup.LayoutParams.WRAP_CONTENT)); return new FooterViewHolder(view); } } @Override public void onBindViewHolder(RecyclerView.ViewHolder holder, int position) { SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd"); Date date = null; holder.itemView.setTag(position); switch (getItemViewType(position)){ case TYPE_PURE_TEXT: PureTextViewHolder pureTextViewHolder = (PureTextViewHolder) holder; pureTextViewHolder.describer.setText( mBeanList.get(position).getDesc()); pureTextViewHolder.who.setText(mBeanList.get(position).getWho()); try { date = format.parse(mBeanList.get(position).getPublishedAt()); } catch (ParseException e) { // e.printStackTrace(); } pureTextViewHolder.time.setText(format.format(date)); break; case TYPE_TEXT_WITH_IMAGES: final TextWithImagesViewHolder textWithImagesViewHolder = (TextWithImagesViewHolder) holder; textWithImagesViewHolder.describer.setText(mBeanList.get(position).getDesc()); textWithImagesViewHolder.who.setText(mBeanList.get(position).getWho()); try { date = format.parse(mBeanList.get(position).getPublishedAt()); } catch (ParseException e) { // e.printStackTrace(); } textWithImagesViewHolder.time.setText(format.format(date)); final ImagesViewPagerAdapter imagesViewPagerAdapter = new ImagesViewPagerAdapter(mContext, mBeanList.get(position).getImages()); textWithImagesViewHolder.viewPager.setAdapter(imagesViewPagerAdapter); textWithImagesViewHolder.myIndicator.initIndicator(textWithImagesViewHolder.viewPager); break; case TYPE_FOOTER: FooterViewHolder footerViewHolder = (FooterViewHolder) holder; if (canLoadMore) { footerViewHolder.footer.setText(mContext.getResources().getString(R.string.load_more)); }else { footerViewHolder.footer.setText(mContext.getResources().getString(R.string.no_more)); } break; } } @Override public int getItemCount() { if (mBeanList.size()<=0){ return 0; }else { return mBeanList.size()+1; } } public static class PureTextViewHolder extends RecyclerView.ViewHolder{ private TextView describer, who,time; public PureTextViewHolder(View itemView) { super(itemView); describer = (TextView) itemView.findViewById(R.id.item_describer); who = (TextView) itemView.findViewById(R.id.item_who); time = (TextView) itemView.findViewById(R.id.item_time); } } public static class TextWithImagesViewHolder extends RecyclerView.ViewHolder{ private ViewPager viewPager; private TextView describer, who,time; private MyIndicator myIndicator; public TextWithImagesViewHolder(View itemView) { super(itemView); viewPager = (ViewPager) itemView.findViewById(R.id.item_view_pager); describer = (TextView) itemView.findViewById(R.id.item_describer); who = (TextView) itemView.findViewById(R.id.item_who); time = (TextView) itemView.findViewById(R.id.item_time); myIndicator = (MyIndicator) itemView.findViewById(R.id.vpi); } } private class FooterViewHolder extends RecyclerView.ViewHolder { private TextView footer; public FooterViewHolder(View view) { super(view); footer = (TextView) view.findViewById(R.id.footer_tv); } } }
[ "rui157953@qq.com" ]
rui157953@qq.com
a44a82aa79ea02413190a5fc648f013ac401cb37
b749f7183795defe767aa635845fdaaf92ec8824
/app/src/main/java/in/ktechnos/testapp/model/Employee.java
03275c475e62316789698a11d2b645502839d151
[]
no_license
KishanSingh1993/EmployeeApp
28ad8c9f04ba5700859fca859a31d517275d5d52
a738deac0b1d9494b17c461f6b98fc2aae184854
refs/heads/master
2022-11-10T05:14:11.585363
2020-06-26T04:17:55
2020-06-26T04:17:55
274,828,098
0
0
null
null
null
null
UTF-8
Java
false
false
1,502
java
package in.ktechnos.testapp.model; public class Employee { private long empId; private String firstName; private String Email; private String gender; private String hireDate; private String Mobile; public Employee() { } public Employee(long empId, String firstName, String emial,String mobile) { this.empId = empId; this.firstName = firstName; this.Email = emial; this.Mobile = mobile; } public long getEmpId() { return empId; } public void setEmpId(long empId) { this.empId = empId; } public String getFirstName() { return firstName; } public void setFirstName(String firstName) { this.firstName = firstName; } public String getEmail() { return Email; } public void setEmail(String email) { Email = email; } public String getMobile() { return Mobile; } public void setMobile(String mobile) { Mobile = mobile; } public String getGender() { return gender; } public void setGender(String gender) { this.gender = gender; } public String getHireDate() { return hireDate; } public void setHireDate(String hireDate) { this.hireDate = hireDate; } public String toString() { return "Emp id: " + getEmpId() + "\n" + "Name: " + getFirstName()+"\n" + "Email:" + getEmail() + "\n" + "Mobile: " + getMobile(); } }
[ "kishang.90@gmail.com" ]
kishang.90@gmail.com
8b596443242f6344be2331d8607e0a4a7f8cf8a2
67d33df542bda7e4ab5b02a7f81755fbd77bbad0
/src/abs/controller/customer/EditButtonActionListener.java
109cf460547878f9029271850b2275e62e9ac987
[]
no_license
DamienTackShin/SEPT2017
0d72d8dad696f78494eff04207f682a1839452f4
f1a826e37f5f23845e123d58d93a115f14f4d607
refs/heads/master
2020-12-02T22:43:30.761490
2017-05-23T08:27:57
2017-05-23T08:27:57
96,172,825
0
0
null
null
null
null
UTF-8
Java
false
false
551
java
package abs.controller.customer; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import abs.view.dialog.customer.EditInformationDialog; import abs.view.gui.MainCustomerFrame; public class EditButtonActionListener implements ActionListener { private MainCustomerFrame mainCustomerFrame; public EditButtonActionListener(MainCustomerFrame mainCustomerFrame) { this.mainCustomerFrame = mainCustomerFrame; } @Override public void actionPerformed(ActionEvent e) { new EditInformationDialog(mainCustomerFrame); } }
[ "s3562437@student.rmit.edu.au" ]
s3562437@student.rmit.edu.au
816b28cfd7420865fc5a095f73835938dc0a232d
d0e8f076f037fb8be5ec272e2c0d7c16fa7f4b5d
/modules/citrus-mail/src/test/java/com/consol/citrus/mail/integration/MailServerAcceptIT.java
a88464501b234e53cee6925eb757d754b999ba03
[ "Apache-2.0" ]
permissive
swathisprasad/citrus
b6811144ab46e1f88bb85b16f00539e1fe075f0c
5156c5e03f89de193b642aad91a4ee1611b4b27f
refs/heads/master
2020-05-20T08:27:52.578157
2019-05-11T12:29:42
2019-05-11T12:29:42
185,473,773
2
0
Apache-2.0
2019-05-07T20:32:02
2019-05-07T20:32:02
null
UTF-8
Java
false
false
990
java
/* * Copyright 2006-2014 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.consol.citrus.mail.integration; import com.consol.citrus.annotations.CitrusXmlTest; import com.consol.citrus.testng.AbstractTestNGCitrusTest; import org.testng.annotations.Test; /** * @author Christoph Deppisch */ public class MailServerAcceptIT extends AbstractTestNGCitrusTest { @Test @CitrusXmlTest public void MailServerAcceptIT() {} }
[ "deppisch@consol.de" ]
deppisch@consol.de
6738e29a6a33decd9475c7c98079c403bf8b880e
065e66f4a9dd568fa21de2400f092f317453963f
/src/Main.java
0e3ff778e7799937afb0f1f3af5922473febedba
[]
no_license
mgleysson/IA_ProvadorMP
ca6770cca1358945e6412e765cc2677ff6d23841
364920ec7d1ef68269606ed1aa7cd29cf6f7b120
refs/heads/master
2021-08-31T09:52:21.889327
2017-12-20T23:56:42
2017-12-20T23:56:42
114,942,062
0
0
null
null
null
null
UTF-8
Java
false
false
1,255
java
import java.util.ArrayList; import java.util.List; public class Main { public static final String IMPLIES = "implies"; public static final String NOT = "not"; static List<String> premissas = new ArrayList<String>();; static String conclusao = ""; public static void carregarBase1() { String premissa1 = "not C"; String premissa2 = "not C implies M"; String premissa3 = "M implies E"; premissas.add(premissa1); premissas.add(premissa2); premissas.add(premissa3); conclusao = "E"; } public static void carregarBase2() { String premissa1 = "A"; String premissa2 = "A implies B"; premissas.add(premissa1); premissas.add(premissa2); conclusao = "B"; } public static void carregarBase3() { String premissa1 = "not B"; String premissa2 = "not B implies C"; premissas.add(premissa1); premissas.add(premissa2); conclusao = "C"; } public static void main(String[] args) { //Para testar o programa basta carregar cada base de dados uma por vez. //carregarBase1(); //carregarBase2(); carregarBase3(); InferenceEngine inference = new InferenceEngine(premissas,conclusao); inference.conclusaoNasPremissas(); inference.verificarAplicacaoRegras(); } }
[ "marcos.gleysson@gmail.com" ]
marcos.gleysson@gmail.com
b22b309825f84d2c4d948bbff621d03e7eee48b2
d3355b32a64a3cbadd9d46b7836d8276001db667
/ExamDictionary/ExamDictionary.Droid/obj/Debug/android/src/examdictionary/droid/R.java
8933ec9cedd83bc87357c25359aea82881764298
[]
no_license
ErmilovaMarie/ExamDictionary
78dd612df9382ed4ce9d4dd90c15048e01b85a8f
8c0222a684927c6fff6ff7b20c99e145afbfcba1
refs/heads/master
2021-01-11T04:59:28.725173
2017-06-22T12:38:51
2017-06-22T12:38:51
95,081,757
0
0
null
null
null
null
UTF-8
Java
false
false
500,900
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 examdictionary.droid; public final class R { public static final class anim { public static final int abc_fade_in=0x7f040000; public static final int abc_fade_out=0x7f040001; public static final int abc_grow_fade_in_from_bottom=0x7f040002; public static final int abc_popup_enter=0x7f040003; public static final int abc_popup_exit=0x7f040004; public static final int abc_shrink_fade_out_from_bottom=0x7f040005; public static final int abc_slide_in_bottom=0x7f040006; public static final int abc_slide_in_top=0x7f040007; public static final int abc_slide_out_bottom=0x7f040008; public static final int abc_slide_out_top=0x7f040009; public static final int design_fab_in=0x7f04000a; public static final int design_fab_out=0x7f04000b; public static final int design_snackbar_in=0x7f04000c; public static final int design_snackbar_out=0x7f04000d; } public static final class attr { /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarDivider=0x7f010076; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarItemBackground=0x7f010077; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarPopupTheme=0x7f010070; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. <p>May 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><code>wrap_content</code></td><td>0</td><td></td></tr> </table> */ public static final int actionBarSize=0x7f010075; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarSplitStyle=0x7f010072; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarStyle=0x7f010071; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarTabBarStyle=0x7f01006c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarTabStyle=0x7f01006b; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarTabTextStyle=0x7f01006d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarTheme=0x7f010073; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionBarWidgetTheme=0x7f010074; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionButtonStyle=0x7f010090; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionDropDownStyle=0x7f01008c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionLayout=0x7f010047; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionMenuTextAppearance=0x7f010078; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f010079; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeBackground=0x7f01007c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeCloseButtonStyle=0x7f01007b; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeCloseDrawable=0x7f01007e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeCopyDrawable=0x7f010080; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeCutDrawable=0x7f01007f; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeFindDrawable=0x7f010084; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModePasteDrawable=0x7f010081; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModePopupWindowStyle=0x7f010086; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeSelectAllDrawable=0x7f010082; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeShareDrawable=0x7f010083; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeSplitBackground=0x7f01007d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeStyle=0x7f01007a; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionModeWebSearchDrawable=0x7f010085; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionOverflowButtonStyle=0x7f01006e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int actionOverflowMenuStyle=0x7f01006f; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int actionProviderClass=0x7f010049; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int actionViewClass=0x7f010048; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int activityChooserViewStyle=0x7f010098; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int alertDialogButtonGroupStyle=0x7f0100ba; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int alertDialogCenterButtons=0x7f0100bb; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int alertDialogStyle=0x7f0100b9; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int alertDialogTheme=0x7f0100bc; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int arrowHeadLength=0x7f01003f; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int arrowShaftLength=0x7f010040; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int autoCompleteTextViewStyle=0x7f0100c1; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int background=0x7f010020; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f010022; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f010021; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int backgroundTint=0x7f0100dd; /** <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><code>src_over</code></td><td>3</td><td></td></tr> <tr><td><code>src_in</code></td><td>5</td><td></td></tr> <tr><td><code>src_atop</code></td><td>9</td><td></td></tr> <tr><td><code>multiply</code></td><td>14</td><td></td></tr> <tr><td><code>screen</code></td><td>15</td><td></td></tr> </table> */ public static final int backgroundTintMode=0x7f0100de; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int barLength=0x7f010041; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int behavior_overlapTop=0x7f010102; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int borderWidth=0x7f0100fa; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int borderlessButtonStyle=0x7f010095; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonBarButtonStyle=0x7f010092; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonBarNegativeButtonStyle=0x7f0100bf; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonBarNeutralButtonStyle=0x7f0100c0; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonBarPositiveButtonStyle=0x7f0100be; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonBarStyle=0x7f010091; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonPanelSideLayout=0x7f010033; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonStyle=0x7f0100c2; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int buttonStyleSmall=0x7f0100c3; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int buttonTint=0x7f010039; /** <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><code>src_over</code></td><td>3</td><td></td></tr> <tr><td><code>src_in</code></td><td>5</td><td></td></tr> <tr><td><code>src_atop</code></td><td>9</td><td></td></tr> <tr><td><code>multiply</code></td><td>14</td><td></td></tr> <tr><td><code>screen</code></td><td>15</td><td></td></tr> </table> */ public static final int buttonTintMode=0x7f01003a; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int cardBackgroundColor=0x7f010009; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int cardCornerRadius=0x7f01000a; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int cardElevation=0x7f01000b; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int cardMaxElevation=0x7f01000c; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int cardPreventCornerOverlap=0x7f01000e; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int cardUseCompatPadding=0x7f01000d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int checkboxStyle=0x7f0100c4; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int checkedTextViewStyle=0x7f0100c5; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int closeIcon=0x7f010051; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int closeItemLayout=0x7f010030; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int collapseContentDescription=0x7f0100d4; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int collapseIcon=0x7f0100d3; /** <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><code>top</code></td><td>0x30</td><td></td></tr> <tr><td><code>bottom</code></td><td>0x50</td><td></td></tr> <tr><td><code>left</code></td><td>0x03</td><td></td></tr> <tr><td><code>right</code></td><td>0x05</td><td></td></tr> <tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr> <tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr> <tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr> <tr><td><code>center</code></td><td>0x11</td><td></td></tr> <tr><td><code>start</code></td><td>0x00800003</td><td></td></tr> <tr><td><code>end</code></td><td>0x00800005</td><td></td></tr> </table> */ public static final int collapsedTitleGravity=0x7f0100ee; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int collapsedTitleTextAppearance=0x7f0100ea; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int color=0x7f01003b; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorAccent=0x7f0100b2; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorButtonNormal=0x7f0100b6; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorControlActivated=0x7f0100b4; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorControlHighlight=0x7f0100b5; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorControlNormal=0x7f0100b3; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorPrimary=0x7f0100b0; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorPrimaryDark=0x7f0100b1; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int colorSwitchThumbNormal=0x7f0100b7; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int commitIcon=0x7f010056; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentInsetEnd=0x7f01002b; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentInsetLeft=0x7f01002c; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentInsetRight=0x7f01002d; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentInsetStart=0x7f01002a; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentPadding=0x7f01000f; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentPaddingBottom=0x7f010013; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentPaddingLeft=0x7f010010; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentPaddingRight=0x7f010011; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentPaddingTop=0x7f010012; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int contentScrim=0x7f0100eb; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int controlBackground=0x7f0100b8; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int customNavigationLayout=0x7f010023; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int defaultQueryHint=0x7f010050; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int dialogPreferredPadding=0x7f01008a; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int dialogTheme=0x7f010089; /** <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><code>none</code></td><td>0</td><td></td></tr> <tr><td><code>useLogo</code></td><td>0x1</td><td></td></tr> <tr><td><code>showHome</code></td><td>0x2</td><td></td></tr> <tr><td><code>homeAsUp</code></td><td>0x4</td><td></td></tr> <tr><td><code>showTitle</code></td><td>0x8</td><td></td></tr> <tr><td><code>showCustom</code></td><td>0x10</td><td></td></tr> <tr><td><code>disableHome</code></td><td>0x20</td><td></td></tr> </table> */ public static final int displayOptions=0x7f010019; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int divider=0x7f01001f; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int dividerHorizontal=0x7f010097; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int dividerPadding=0x7f010045; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int dividerVertical=0x7f010096; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int drawableSize=0x7f01003d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int drawerArrowStyle=0x7f010014; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int dropDownListViewStyle=0x7f0100a8; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int dropdownListPreferredItemHeight=0x7f01008d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int editTextBackground=0x7f01009e; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f01009d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int editTextStyle=0x7f0100c6; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int elevation=0x7f01002e; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int errorEnabled=0x7f010115; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int errorTextAppearance=0x7f010116; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int expandActivityOverflowButtonDrawable=0x7f010032; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int expanded=0x7f0100df; /** <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><code>top</code></td><td>0x30</td><td></td></tr> <tr><td><code>bottom</code></td><td>0x50</td><td></td></tr> <tr><td><code>left</code></td><td>0x03</td><td></td></tr> <tr><td><code>right</code></td><td>0x05</td><td></td></tr> <tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr> <tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr> <tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr> <tr><td><code>center</code></td><td>0x11</td><td></td></tr> <tr><td><code>start</code></td><td>0x00800003</td><td></td></tr> <tr><td><code>end</code></td><td>0x00800005</td><td></td></tr> </table> */ public static final int expandedTitleGravity=0x7f0100ef; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int expandedTitleMargin=0x7f0100e4; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int expandedTitleMarginBottom=0x7f0100e8; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int expandedTitleMarginEnd=0x7f0100e7; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int expandedTitleMarginStart=0x7f0100e5; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int expandedTitleMarginTop=0x7f0100e6; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int expandedTitleTextAppearance=0x7f0100e9; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int externalRouteEnabledDrawable=0x7f010008; /** <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><code>normal</code></td><td>0</td><td></td></tr> <tr><td><code>mini</code></td><td>1</td><td></td></tr> </table> */ public static final int fabSize=0x7f0100f8; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int gapBetweenBars=0x7f01003e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int goIcon=0x7f010052; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int headerLayout=0x7f010100; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int height=0x7f010015; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int hideOnContentScroll=0x7f010029; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int hintAnimationEnabled=0x7f010117; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int hintTextAppearance=0x7f010114; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int homeAsUpIndicator=0x7f01008f; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int homeLayout=0x7f010024; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int icon=0x7f01001d; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int iconifiedByDefault=0x7f01004e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int indeterminateProgressStyle=0x7f010026; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int initialActivityCount=0x7f010031; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f010101; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int isLightTheme=0x7f010016; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int itemBackground=0x7f0100fe; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int itemIconTint=0x7f0100fc; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int itemPadding=0x7f010028; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int itemTextAppearance=0x7f0100ff; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int itemTextColor=0x7f0100fd; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int keylines=0x7f0100f1; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int layout=0x7f01004d; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int layout_anchor=0x7f0100f4; /** <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><code>top</code></td><td>0x30</td><td></td></tr> <tr><td><code>bottom</code></td><td>0x50</td><td></td></tr> <tr><td><code>left</code></td><td>0x03</td><td></td></tr> <tr><td><code>right</code></td><td>0x05</td><td></td></tr> <tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr> <tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr> <tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr> <tr><td><code>fill_horizontal</code></td><td>0x07</td><td></td></tr> <tr><td><code>center</code></td><td>0x11</td><td></td></tr> <tr><td><code>fill</code></td><td>0x77</td><td></td></tr> <tr><td><code>clip_vertical</code></td><td>0x80</td><td></td></tr> <tr><td><code>clip_horizontal</code></td><td>0x08</td><td></td></tr> <tr><td><code>start</code></td><td>0x00800003</td><td></td></tr> <tr><td><code>end</code></td><td>0x00800005</td><td></td></tr> </table> */ public static final int layout_anchorGravity=0x7f0100f6; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int layout_behavior=0x7f0100f3; /** <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><code>none</code></td><td>0</td><td></td></tr> <tr><td><code>pin</code></td><td>1</td><td></td></tr> <tr><td><code>parallax</code></td><td>2</td><td></td></tr> </table> */ public static final int layout_collapseMode=0x7f0100e2; /** <p>Must be a floating point value, such as "<code>1.2</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int layout_collapseParallaxMultiplier=0x7f0100e3; /** <p>Must be an integer value, such as "<code>100</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int layout_keyline=0x7f0100f5; /** <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><code>scroll</code></td><td>0x1</td><td></td></tr> <tr><td><code>exitUntilCollapsed</code></td><td>0x2</td><td></td></tr> <tr><td><code>enterAlways</code></td><td>0x4</td><td></td></tr> <tr><td><code>enterAlwaysCollapsed</code></td><td>0x8</td><td></td></tr> </table> */ public static final int layout_scrollFlags=0x7f0100e0; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int layout_scrollInterpolator=0x7f0100e1; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int listChoiceBackgroundIndicator=0x7f0100af; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int listDividerAlertDialog=0x7f01008b; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int listItemLayout=0x7f010037; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int listLayout=0x7f010034; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int listPopupWindowStyle=0x7f0100a9; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int listPreferredItemHeight=0x7f0100a3; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int listPreferredItemHeightLarge=0x7f0100a5; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int listPreferredItemHeightSmall=0x7f0100a4; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int listPreferredItemPaddingLeft=0x7f0100a6; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int listPreferredItemPaddingRight=0x7f0100a7; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int logo=0x7f01001e; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int logoDescription=0x7f0100d7; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int maxActionInlineWidth=0x7f010103; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int maxButtonHeight=0x7f0100d2; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int measureWithLargestChild=0x7f010043; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRouteButtonStyle=0x7f010000; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRouteCastDrawable=0x7f010001; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRouteConnectingDrawable=0x7f010002; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRouteOffDrawable=0x7f010003; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRouteOnDrawable=0x7f010004; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRoutePauseDrawable=0x7f010005; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRoutePlayDrawable=0x7f010006; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int mediaRouteSettingsDrawable=0x7f010007; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int menu=0x7f0100fb; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int multiChoiceItemLayout=0x7f010035; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int navigationContentDescription=0x7f0100d6; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int navigationIcon=0x7f0100d5; /** <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><code>normal</code></td><td>0</td><td></td></tr> <tr><td><code>listMode</code></td><td>1</td><td></td></tr> <tr><td><code>tabMode</code></td><td>2</td><td></td></tr> </table> */ public static final int navigationMode=0x7f010018; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int overlapAnchor=0x7f01004b; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int paddingEnd=0x7f0100db; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int paddingStart=0x7f0100da; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int panelBackground=0x7f0100ac; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int panelMenuListTheme=0x7f0100ae; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int panelMenuListWidth=0x7f0100ad; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int popupMenuStyle=0x7f01009b; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int popupTheme=0x7f01002f; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int popupWindowStyle=0x7f01009c; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int preserveIconSpacing=0x7f01004a; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int pressedTranslationZ=0x7f0100f9; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int progressBarPadding=0x7f010027; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int progressBarStyle=0x7f010025; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int queryBackground=0x7f010058; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int queryHint=0x7f01004f; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int radioButtonStyle=0x7f0100c7; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int ratingBarStyle=0x7f0100c8; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int rippleColor=0x7f0100f7; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int searchHintIcon=0x7f010054; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int searchIcon=0x7f010053; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int searchViewStyle=0x7f0100a2; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int selectableItemBackground=0x7f010093; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int selectableItemBackgroundBorderless=0x7f010094; /** <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><code>never</code></td><td>0</td><td></td></tr> <tr><td><code>ifRoom</code></td><td>1</td><td></td></tr> <tr><td><code>always</code></td><td>2</td><td></td></tr> <tr><td><code>withText</code></td><td>4</td><td></td></tr> <tr><td><code>collapseActionView</code></td><td>8</td><td></td></tr> </table> */ public static final int showAsAction=0x7f010046; /** <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><code>none</code></td><td>0</td><td></td></tr> <tr><td><code>beginning</code></td><td>1</td><td></td></tr> <tr><td><code>middle</code></td><td>2</td><td></td></tr> <tr><td><code>end</code></td><td>4</td><td></td></tr> </table> */ public static final int showDividers=0x7f010044; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int showText=0x7f010060; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int singleChoiceItemLayout=0x7f010036; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int spinBars=0x7f01003c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int spinnerDropDownItemStyle=0x7f01008e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int spinnerStyle=0x7f0100c9; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int splitTrack=0x7f01005f; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int state_above_anchor=0x7f01004c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int statusBarBackground=0x7f0100f2; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int statusBarScrim=0x7f0100ec; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int submitBackground=0x7f010059; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int subtitle=0x7f01001a; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int subtitleTextAppearance=0x7f0100cc; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int subtitleTextColor=0x7f0100d9; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int subtitleTextStyle=0x7f01001c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int suggestionRowLayout=0x7f010057; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int switchMinWidth=0x7f01005d; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int switchPadding=0x7f01005e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int switchStyle=0x7f0100ca; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int switchTextAppearance=0x7f01005c; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int tabBackground=0x7f010107; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabContentStart=0x7f010106; /** <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><code>fill</code></td><td>0</td><td></td></tr> <tr><td><code>center</code></td><td>1</td><td></td></tr> </table> */ public static final int tabGravity=0x7f010109; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabIndicatorColor=0x7f010104; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabIndicatorHeight=0x7f010105; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabMaxWidth=0x7f01010b; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabMinWidth=0x7f01010a; /** <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><code>scrollable</code></td><td>0</td><td></td></tr> <tr><td><code>fixed</code></td><td>1</td><td></td></tr> </table> */ public static final int tabMode=0x7f010108; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabPadding=0x7f010113; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabPaddingBottom=0x7f010112; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabPaddingEnd=0x7f010111; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabPaddingStart=0x7f01010f; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabPaddingTop=0x7f010110; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabSelectedTextColor=0x7f01010e; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int tabTextAppearance=0x7f01010c; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int tabTextColor=0x7f01010d; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". <p>May be a boolean value, either "<code>true</code>" or "<code>false</code>". */ public static final int textAllCaps=0x7f010038; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int textAppearanceLargePopupMenu=0x7f010087; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int textAppearanceListItem=0x7f0100aa; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int textAppearanceListItemSmall=0x7f0100ab; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int textAppearanceSearchResultSubtitle=0x7f0100a0; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int textAppearanceSearchResultTitle=0x7f01009f; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int textAppearanceSmallPopupMenu=0x7f010088; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f0100bd; /** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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=0x7f0100a1; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int theme=0x7f0100dc; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int thickness=0x7f010042; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int thumbTextPadding=0x7f01005b; /** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int title=0x7f010017; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleEnabled=0x7f0100f0; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleMarginBottom=0x7f0100d1; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleMarginEnd=0x7f0100cf; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleMarginStart=0x7f0100ce; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleMarginTop=0x7f0100d0; /** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleMargins=0x7f0100cd; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int titleTextAppearance=0x7f0100cb; /** <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int titleTextColor=0x7f0100d8; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int titleTextStyle=0x7f01001b; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int toolbarId=0x7f0100ed; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int toolbarNavigationButtonStyle=0x7f01009a; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int toolbarStyle=0x7f010099; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int track=0x7f01005a; /** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". */ public static final int voiceIcon=0x7f010055; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowActionBar=0x7f010061; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowActionBarOverlay=0x7f010063; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowActionModeOverlay=0x7f010064; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowFixedHeightMajor=0x7f010068; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowFixedHeightMinor=0x7f010066; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowFixedWidthMajor=0x7f010065; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowFixedWidthMinor=0x7f010067; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowMinWidthMajor=0x7f010069; /** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowMinWidthMinor=0x7f01006a; /** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. */ public static final int windowNoTitle=0x7f010062; } public static final class bool { public static final int abc_action_bar_embed_tabs=0x7f090002; public static final int abc_action_bar_embed_tabs_pre_jb=0x7f090000; public static final int abc_action_bar_expanded_action_views_exclusive=0x7f090003; public static final int abc_config_actionMenuItemAllCaps=0x7f090004; public static final int abc_config_allowActionMenuItemTextWithIcon=0x7f090001; public static final int abc_config_closeDialogWhenTouchOutside=0x7f090005; public static final int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f090006; } public static final class color { public static final int abc_background_cache_hint_selector_material_dark=0x7f080047; public static final int abc_background_cache_hint_selector_material_light=0x7f080048; public static final int abc_color_highlight_material=0x7f080049; public static final int abc_input_method_navigation_guard=0x7f080004; public static final int abc_primary_text_disable_only_material_dark=0x7f08004a; public static final int abc_primary_text_disable_only_material_light=0x7f08004b; public static final int abc_primary_text_material_dark=0x7f08004c; public static final int abc_primary_text_material_light=0x7f08004d; public static final int abc_search_url_text=0x7f08004e; public static final int abc_search_url_text_normal=0x7f080005; public static final int abc_search_url_text_pressed=0x7f080006; public static final int abc_search_url_text_selected=0x7f080007; public static final int abc_secondary_text_material_dark=0x7f08004f; public static final int abc_secondary_text_material_light=0x7f080050; public static final int accent_material_dark=0x7f080008; public static final int accent_material_light=0x7f080009; public static final int background_floating_material_dark=0x7f08000a; public static final int background_floating_material_light=0x7f08000b; public static final int background_material_dark=0x7f08000c; public static final int background_material_light=0x7f08000d; public static final int bright_foreground_disabled_material_dark=0x7f08000e; public static final int bright_foreground_disabled_material_light=0x7f08000f; public static final int bright_foreground_inverse_material_dark=0x7f080010; public static final int bright_foreground_inverse_material_light=0x7f080011; public static final int bright_foreground_material_dark=0x7f080012; public static final int bright_foreground_material_light=0x7f080013; public static final int button_material_dark=0x7f080014; public static final int button_material_light=0x7f080015; public static final int cardview_dark_background=0x7f080000; public static final int cardview_light_background=0x7f080001; public static final int cardview_shadow_end_color=0x7f080002; public static final int cardview_shadow_start_color=0x7f080003; public static final int design_fab_shadow_end_color=0x7f08003e; public static final int design_fab_shadow_mid_color=0x7f08003f; public static final int design_fab_shadow_start_color=0x7f080040; public static final int design_fab_stroke_end_inner_color=0x7f080041; public static final int design_fab_stroke_end_outer_color=0x7f080042; public static final int design_fab_stroke_top_inner_color=0x7f080043; public static final int design_fab_stroke_top_outer_color=0x7f080044; public static final int design_snackbar_background_color=0x7f080045; public static final int design_textinput_error_color=0x7f080046; public static final int dim_foreground_disabled_material_dark=0x7f080016; public static final int dim_foreground_disabled_material_light=0x7f080017; public static final int dim_foreground_material_dark=0x7f080018; public static final int dim_foreground_material_light=0x7f080019; public static final int foreground_material_dark=0x7f08001a; public static final int foreground_material_light=0x7f08001b; public static final int highlighted_text_material_dark=0x7f08001c; public static final int highlighted_text_material_light=0x7f08001d; public static final int hint_foreground_material_dark=0x7f08001e; public static final int hint_foreground_material_light=0x7f08001f; public static final int material_blue_grey_800=0x7f080020; public static final int material_blue_grey_900=0x7f080021; public static final int material_blue_grey_950=0x7f080022; public static final int material_deep_teal_200=0x7f080023; public static final int material_deep_teal_500=0x7f080024; public static final int material_grey_100=0x7f080025; public static final int material_grey_300=0x7f080026; public static final int material_grey_50=0x7f080027; public static final int material_grey_600=0x7f080028; public static final int material_grey_800=0x7f080029; public static final int material_grey_850=0x7f08002a; public static final int material_grey_900=0x7f08002b; public static final int primary_dark_material_dark=0x7f08002c; public static final int primary_dark_material_light=0x7f08002d; public static final int primary_material_dark=0x7f08002e; public static final int primary_material_light=0x7f08002f; public static final int primary_text_default_material_dark=0x7f080030; public static final int primary_text_default_material_light=0x7f080031; public static final int primary_text_disabled_material_dark=0x7f080032; public static final int primary_text_disabled_material_light=0x7f080033; public static final int ripple_material_dark=0x7f080034; public static final int ripple_material_light=0x7f080035; public static final int secondary_text_default_material_dark=0x7f080036; public static final int secondary_text_default_material_light=0x7f080037; public static final int secondary_text_disabled_material_dark=0x7f080038; public static final int secondary_text_disabled_material_light=0x7f080039; public static final int switch_thumb_disabled_material_dark=0x7f08003a; public static final int switch_thumb_disabled_material_light=0x7f08003b; public static final int switch_thumb_material_dark=0x7f080051; public static final int switch_thumb_material_light=0x7f080052; public static final int switch_thumb_normal_material_dark=0x7f08003c; public static final int switch_thumb_normal_material_light=0x7f08003d; } public static final class dimen { public static final int abc_action_bar_content_inset_material=0x7f06000f; public static final int abc_action_bar_default_height_material=0x7f060005; public static final int abc_action_bar_default_padding_end_material=0x7f060010; public static final int abc_action_bar_default_padding_start_material=0x7f060011; public static final int abc_action_bar_icon_vertical_padding_material=0x7f060013; public static final int abc_action_bar_overflow_padding_end_material=0x7f060014; public static final int abc_action_bar_overflow_padding_start_material=0x7f060015; public static final int abc_action_bar_progress_bar_size=0x7f060006; public static final int abc_action_bar_stacked_max_height=0x7f060016; public static final int abc_action_bar_stacked_tab_max_width=0x7f060017; public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f060018; public static final int abc_action_bar_subtitle_top_margin_material=0x7f060019; public static final int abc_action_button_min_height_material=0x7f06001a; public static final int abc_action_button_min_width_material=0x7f06001b; public static final int abc_action_button_min_width_overflow_material=0x7f06001c; public static final int abc_alert_dialog_button_bar_height=0x7f060004; public static final int abc_button_inset_horizontal_material=0x7f06001d; public static final int abc_button_inset_vertical_material=0x7f06001e; public static final int abc_button_padding_horizontal_material=0x7f06001f; public static final int abc_button_padding_vertical_material=0x7f060020; public static final int abc_config_prefDialogWidth=0x7f060009; public static final int abc_control_corner_material=0x7f060021; public static final int abc_control_inset_material=0x7f060022; public static final int abc_control_padding_material=0x7f060023; public static final int abc_dialog_list_padding_vertical_material=0x7f060024; public static final int abc_dialog_min_width_major=0x7f060025; public static final int abc_dialog_min_width_minor=0x7f060026; public static final int abc_dialog_padding_material=0x7f060027; public static final int abc_dialog_padding_top_material=0x7f060028; public static final int abc_disabled_alpha_material_dark=0x7f060029; public static final int abc_disabled_alpha_material_light=0x7f06002a; public static final int abc_dropdownitem_icon_width=0x7f06002b; public static final int abc_dropdownitem_text_padding_left=0x7f06002c; public static final int abc_dropdownitem_text_padding_right=0x7f06002d; public static final int abc_edit_text_inset_bottom_material=0x7f06002e; public static final int abc_edit_text_inset_horizontal_material=0x7f06002f; public static final int abc_edit_text_inset_top_material=0x7f060030; public static final int abc_floating_window_z=0x7f060031; public static final int abc_list_item_padding_horizontal_material=0x7f060032; public static final int abc_panel_menu_list_width=0x7f060033; public static final int abc_search_view_preferred_width=0x7f060034; public static final int abc_search_view_text_min_width=0x7f06000a; public static final int abc_switch_padding=0x7f060012; public static final int abc_text_size_body_1_material=0x7f060035; public static final int abc_text_size_body_2_material=0x7f060036; public static final int abc_text_size_button_material=0x7f060037; public static final int abc_text_size_caption_material=0x7f060038; public static final int abc_text_size_display_1_material=0x7f060039; public static final int abc_text_size_display_2_material=0x7f06003a; public static final int abc_text_size_display_3_material=0x7f06003b; public static final int abc_text_size_display_4_material=0x7f06003c; public static final int abc_text_size_headline_material=0x7f06003d; public static final int abc_text_size_large_material=0x7f06003e; public static final int abc_text_size_medium_material=0x7f06003f; public static final int abc_text_size_menu_material=0x7f060040; public static final int abc_text_size_small_material=0x7f060041; public static final int abc_text_size_subhead_material=0x7f060042; public static final int abc_text_size_subtitle_material_toolbar=0x7f060007; public static final int abc_text_size_title_material=0x7f060043; public static final int abc_text_size_title_material_toolbar=0x7f060008; public static final int cardview_compat_inset_shadow=0x7f060001; public static final int cardview_default_elevation=0x7f060002; public static final int cardview_default_radius=0x7f060003; public static final int design_appbar_elevation=0x7f060054; public static final int design_fab_border_width=0x7f060055; public static final int design_fab_content_size=0x7f060056; public static final int design_fab_elevation=0x7f060057; public static final int design_fab_size_mini=0x7f060058; public static final int design_fab_size_normal=0x7f060059; public static final int design_fab_translation_z_pressed=0x7f06005a; public static final int design_navigation_elevation=0x7f06005b; public static final int design_navigation_icon_padding=0x7f06005c; public static final int design_navigation_icon_size=0x7f06005d; public static final int design_navigation_max_width=0x7f06005e; public static final int design_navigation_padding_bottom=0x7f06005f; public static final int design_navigation_padding_top_default=0x7f060053; public static final int design_navigation_separator_vertical_padding=0x7f060060; public static final int design_snackbar_action_inline_max_width=0x7f06004c; public static final int design_snackbar_background_corner_radius=0x7f06004d; public static final int design_snackbar_elevation=0x7f060061; public static final int design_snackbar_extra_spacing_horizontal=0x7f06004e; public static final int design_snackbar_max_width=0x7f06004f; public static final int design_snackbar_min_width=0x7f060050; public static final int design_snackbar_padding_horizontal=0x7f060062; public static final int design_snackbar_padding_vertical=0x7f060063; public static final int design_snackbar_padding_vertical_2lines=0x7f060051; public static final int design_snackbar_text_size=0x7f060064; public static final int design_tab_max_width=0x7f060065; public static final int design_tab_min_width=0x7f060052; public static final int dialog_fixed_height_major=0x7f06000b; public static final int dialog_fixed_height_minor=0x7f06000c; public static final int dialog_fixed_width_major=0x7f06000d; public static final int dialog_fixed_width_minor=0x7f06000e; public static final int disabled_alpha_material_dark=0x7f060044; public static final int disabled_alpha_material_light=0x7f060045; public static final int highlight_alpha_material_colored=0x7f060046; public static final int highlight_alpha_material_dark=0x7f060047; public static final int highlight_alpha_material_light=0x7f060048; public static final int mr_media_route_controller_art_max_height=0x7f060000; public static final int notification_large_icon_height=0x7f060049; public static final int notification_large_icon_width=0x7f06004a; public static final int notification_subtext_size=0x7f06004b; } public static final class drawable { public static final int abc_ab_share_pack_mtrl_alpha=0x7f020000; public static final int abc_action_bar_item_background_material=0x7f020001; public static final int abc_btn_borderless_material=0x7f020002; public static final int abc_btn_check_material=0x7f020003; public static final int abc_btn_check_to_on_mtrl_000=0x7f020004; public static final int abc_btn_check_to_on_mtrl_015=0x7f020005; public static final int abc_btn_colored_material=0x7f020006; public static final int abc_btn_default_mtrl_shape=0x7f020007; public static final int abc_btn_radio_material=0x7f020008; public static final int abc_btn_radio_to_on_mtrl_000=0x7f020009; public static final int abc_btn_radio_to_on_mtrl_015=0x7f02000a; public static final int abc_btn_rating_star_off_mtrl_alpha=0x7f02000b; public static final int abc_btn_rating_star_on_mtrl_alpha=0x7f02000c; public static final int abc_btn_switch_to_on_mtrl_00001=0x7f02000d; public static final int abc_btn_switch_to_on_mtrl_00012=0x7f02000e; public static final int abc_cab_background_internal_bg=0x7f02000f; public static final int abc_cab_background_top_material=0x7f020010; public static final int abc_cab_background_top_mtrl_alpha=0x7f020011; public static final int abc_control_background_material=0x7f020012; public static final int abc_dialog_material_background_dark=0x7f020013; public static final int abc_dialog_material_background_light=0x7f020014; public static final int abc_edit_text_material=0x7f020015; public static final int abc_ic_ab_back_mtrl_am_alpha=0x7f020016; public static final int abc_ic_clear_mtrl_alpha=0x7f020017; public static final int abc_ic_commit_search_api_mtrl_alpha=0x7f020018; public static final int abc_ic_go_search_api_mtrl_alpha=0x7f020019; public static final int abc_ic_menu_copy_mtrl_am_alpha=0x7f02001a; public static final int abc_ic_menu_cut_mtrl_alpha=0x7f02001b; public static final int abc_ic_menu_moreoverflow_mtrl_alpha=0x7f02001c; public static final int abc_ic_menu_paste_mtrl_am_alpha=0x7f02001d; public static final int abc_ic_menu_selectall_mtrl_alpha=0x7f02001e; public static final int abc_ic_menu_share_mtrl_alpha=0x7f02001f; public static final int abc_ic_search_api_mtrl_alpha=0x7f020020; public static final int abc_ic_voice_search_api_mtrl_alpha=0x7f020021; public static final int abc_item_background_holo_dark=0x7f020022; public static final int abc_item_background_holo_light=0x7f020023; public static final int abc_list_divider_mtrl_alpha=0x7f020024; public static final int abc_list_focused_holo=0x7f020025; public static final int abc_list_longpressed_holo=0x7f020026; public static final int abc_list_pressed_holo_dark=0x7f020027; public static final int abc_list_pressed_holo_light=0x7f020028; public static final int abc_list_selector_background_transition_holo_dark=0x7f020029; public static final int abc_list_selector_background_transition_holo_light=0x7f02002a; public static final int abc_list_selector_disabled_holo_dark=0x7f02002b; public static final int abc_list_selector_disabled_holo_light=0x7f02002c; public static final int abc_list_selector_holo_dark=0x7f02002d; public static final int abc_list_selector_holo_light=0x7f02002e; public static final int abc_menu_hardkey_panel_mtrl_mult=0x7f02002f; public static final int abc_popup_background_mtrl_mult=0x7f020030; public static final int abc_ratingbar_full_material=0x7f020031; public static final int abc_spinner_mtrl_am_alpha=0x7f020032; public static final int abc_spinner_textfield_background_material=0x7f020033; public static final int abc_switch_thumb_material=0x7f020034; public static final int abc_switch_track_mtrl_alpha=0x7f020035; public static final int abc_tab_indicator_material=0x7f020036; public static final int abc_tab_indicator_mtrl_alpha=0x7f020037; public static final int abc_text_cursor_material=0x7f020038; public static final int abc_textfield_activated_mtrl_alpha=0x7f020039; public static final int abc_textfield_default_mtrl_alpha=0x7f02003a; public static final int abc_textfield_search_activated_mtrl_alpha=0x7f02003b; public static final int abc_textfield_search_default_mtrl_alpha=0x7f02003c; public static final int abc_textfield_search_material=0x7f02003d; public static final int app=0x7f02003e; public static final int design_fab_background=0x7f02003f; public static final int design_snackbar_background=0x7f020040; public static final int history=0x7f020041; public static final int ic_cast_dark=0x7f020042; public static final int ic_cast_disabled_light=0x7f020043; public static final int ic_cast_light=0x7f020044; public static final int ic_cast_off_light=0x7f020045; public static final int ic_cast_on_0_light=0x7f020046; public static final int ic_cast_on_1_light=0x7f020047; public static final int ic_cast_on_2_light=0x7f020048; public static final int ic_cast_on_light=0x7f020049; public static final int ic_media_pause=0x7f02004a; public static final int ic_media_play=0x7f02004b; public static final int ic_media_route_disabled_mono_dark=0x7f02004c; public static final int ic_media_route_off_mono_dark=0x7f02004d; public static final int ic_media_route_on_0_mono_dark=0x7f02004e; public static final int ic_media_route_on_1_mono_dark=0x7f02004f; public static final int ic_media_route_on_2_mono_dark=0x7f020050; public static final int ic_media_route_on_mono_dark=0x7f020051; public static final int ic_pause_dark=0x7f020052; public static final int ic_pause_light=0x7f020053; public static final int ic_play_dark=0x7f020054; public static final int ic_play_light=0x7f020055; public static final int ic_setting_dark=0x7f020056; public static final int ic_setting_light=0x7f020057; public static final int icon=0x7f020058; public static final int mr_ic_cast_dark=0x7f020059; public static final int mr_ic_cast_light=0x7f02005a; public static final int mr_ic_media_route_connecting_mono_dark=0x7f02005b; public static final int mr_ic_media_route_connecting_mono_light=0x7f02005c; public static final int mr_ic_media_route_mono_dark=0x7f02005d; public static final int mr_ic_media_route_mono_light=0x7f02005e; public static final int mr_ic_pause_dark=0x7f02005f; public static final int mr_ic_pause_light=0x7f020060; public static final int mr_ic_play_dark=0x7f020061; public static final int mr_ic_play_light=0x7f020062; public static final int mr_ic_settings_dark=0x7f020063; public static final int mr_ic_settings_light=0x7f020064; public static final int notification_template_icon_bg=0x7f020067; public static final int settings=0x7f020065; public static final int translate=0x7f020066; } public static final class id { public static final int action0=0x7f0b0074; public static final int action_bar=0x7f0b0055; public static final int action_bar_activity_content=0x7f0b0000; public static final int action_bar_container=0x7f0b0054; public static final int action_bar_root=0x7f0b0050; public static final int action_bar_spinner=0x7f0b0001; public static final int action_bar_subtitle=0x7f0b0039; public static final int action_bar_title=0x7f0b0038; public static final int action_context_bar=0x7f0b0056; public static final int action_divider=0x7f0b0078; public static final int action_menu_divider=0x7f0b0002; public static final int action_menu_presenter=0x7f0b0003; public static final int action_mode_bar=0x7f0b0052; public static final int action_mode_bar_stub=0x7f0b0051; public static final int action_mode_close_button=0x7f0b003a; public static final int activity_chooser_view_content=0x7f0b003b; public static final int alertTitle=0x7f0b0045; public static final int always=0x7f0b001c; public static final int art=0x7f0b006c; public static final int beginning=0x7f0b0019; public static final int bottom=0x7f0b0028; public static final int buttonPanel=0x7f0b004b; public static final int buttons=0x7f0b0071; public static final int cancel_action=0x7f0b0075; public static final int center=0x7f0b0029; public static final int center_horizontal=0x7f0b002a; public static final int center_vertical=0x7f0b002b; public static final int checkbox=0x7f0b004d; public static final int chronometer=0x7f0b007b; public static final int clip_horizontal=0x7f0b0031; public static final int clip_vertical=0x7f0b0032; public static final int collapseActionView=0x7f0b001d; public static final int contentPanel=0x7f0b0046; public static final int custom=0x7f0b004a; public static final int customPanel=0x7f0b0049; public static final int decor_content_parent=0x7f0b0053; public static final int default_activity_button=0x7f0b003e; public static final int default_control_frame=0x7f0b006b; public static final int disableHome=0x7f0b000d; public static final int disconnect=0x7f0b0072; public static final int edit_query=0x7f0b0057; public static final int end=0x7f0b001a; public static final int end_padder=0x7f0b0080; public static final int enterAlways=0x7f0b0022; public static final int enterAlwaysCollapsed=0x7f0b0023; public static final int exitUntilCollapsed=0x7f0b0024; public static final int expand_activities_button=0x7f0b003c; public static final int expanded_menu=0x7f0b004c; public static final int fill=0x7f0b0033; public static final int fill_horizontal=0x7f0b0034; public static final int fill_vertical=0x7f0b002c; public static final int fixed=0x7f0b0036; public static final int home=0x7f0b0004; public static final int homeAsUp=0x7f0b000e; public static final int icon=0x7f0b0040; public static final int ifRoom=0x7f0b001e; public static final int image=0x7f0b003d; public static final int info=0x7f0b007f; public static final int left=0x7f0b002d; public static final int line1=0x7f0b0079; public static final int line3=0x7f0b007d; public static final int listMode=0x7f0b000a; public static final int list_item=0x7f0b003f; public static final int media_actions=0x7f0b0077; public static final int media_route_control_frame=0x7f0b006a; public static final int media_route_list=0x7f0b0066; public static final int media_route_volume_layout=0x7f0b006f; public static final int media_route_volume_slider=0x7f0b0070; public static final int middle=0x7f0b001b; public static final int mini=0x7f0b0035; public static final int multiply=0x7f0b0014; public static final int never=0x7f0b001f; public static final int none=0x7f0b000f; public static final int normal=0x7f0b000b; public static final int parallax=0x7f0b0026; public static final int parentPanel=0x7f0b0042; public static final int pin=0x7f0b0027; public static final int play_pause=0x7f0b006d; public static final int progress_circular=0x7f0b0005; public static final int progress_horizontal=0x7f0b0006; public static final int radio=0x7f0b004f; public static final int right=0x7f0b002e; public static final int route_name=0x7f0b0068; public static final int screen=0x7f0b0015; public static final int scroll=0x7f0b0025; public static final int scrollView=0x7f0b0047; public static final int scrollable=0x7f0b0037; public static final int search_badge=0x7f0b0059; public static final int search_bar=0x7f0b0058; public static final int search_button=0x7f0b005a; public static final int search_close_btn=0x7f0b005f; public static final int search_edit_frame=0x7f0b005b; public static final int search_go_btn=0x7f0b0061; public static final int search_mag_icon=0x7f0b005c; public static final int search_plate=0x7f0b005d; public static final int search_src_text=0x7f0b005e; public static final int search_voice_btn=0x7f0b0062; public static final int select_dialog_listview=0x7f0b0063; public static final int settings=0x7f0b0069; public static final int shortcut=0x7f0b004e; public static final int showCustom=0x7f0b0010; public static final int showHome=0x7f0b0011; public static final int showTitle=0x7f0b0012; public static final int sliding_tabs=0x7f0b0081; public static final int snackbar_action=0x7f0b0065; public static final int snackbar_text=0x7f0b0064; public static final int split_action_bar=0x7f0b0007; public static final int src_atop=0x7f0b0016; public static final int src_in=0x7f0b0017; public static final int src_over=0x7f0b0018; public static final int start=0x7f0b002f; public static final int status_bar_latest_event_content=0x7f0b0076; public static final int stop=0x7f0b0073; public static final int submit_area=0x7f0b0060; public static final int subtitle=0x7f0b006e; public static final int tabMode=0x7f0b000c; public static final int text=0x7f0b007e; public static final int text2=0x7f0b007c; public static final int textSpacerNoButtons=0x7f0b0048; public static final int time=0x7f0b007a; public static final int title=0x7f0b0041; public static final int title_bar=0x7f0b0067; public static final int title_template=0x7f0b0044; public static final int toolbar=0x7f0b0082; public static final int top=0x7f0b0030; public static final int topPanel=0x7f0b0043; public static final int up=0x7f0b0008; public static final int useLogo=0x7f0b0013; public static final int view_offset_helper=0x7f0b0009; public static final int withText=0x7f0b0020; public static final int wrap_content=0x7f0b0021; } public static final class integer { public static final int abc_config_activityDefaultDur=0x7f0a0001; public static final int abc_config_activityShortDur=0x7f0a0002; public static final int abc_max_action_buttons=0x7f0a0000; public static final int cancel_button_image_alpha=0x7f0a0003; public static final int design_snackbar_text_max_lines=0x7f0a0005; public static final int status_bar_notification_info_maxnum=0x7f0a0004; } public static final class layout { public static final int abc_action_bar_title_item=0x7f030000; public static final int abc_action_bar_up_container=0x7f030001; public static final int abc_action_bar_view_list_nav_layout=0x7f030002; public static final int abc_action_menu_item_layout=0x7f030003; public static final int abc_action_menu_layout=0x7f030004; public static final int abc_action_mode_bar=0x7f030005; public static final int abc_action_mode_close_item_material=0x7f030006; public static final int abc_activity_chooser_view=0x7f030007; public static final int abc_activity_chooser_view_list_item=0x7f030008; public static final int abc_alert_dialog_material=0x7f030009; public static final int abc_dialog_title_material=0x7f03000a; public static final int abc_expanded_menu_layout=0x7f03000b; public static final int abc_list_menu_item_checkbox=0x7f03000c; public static final int abc_list_menu_item_icon=0x7f03000d; public static final int abc_list_menu_item_layout=0x7f03000e; public static final int abc_list_menu_item_radio=0x7f03000f; public static final int abc_popup_menu_item_layout=0x7f030010; public static final int abc_screen_content_include=0x7f030011; public static final int abc_screen_simple=0x7f030012; public static final int abc_screen_simple_overlay_action_mode=0x7f030013; public static final int abc_screen_toolbar=0x7f030014; public static final int abc_search_dropdown_item_icons_2line=0x7f030015; public static final int abc_search_view=0x7f030016; public static final int abc_select_dialog_material=0x7f030017; public static final int design_layout_snackbar=0x7f030018; public static final int design_layout_snackbar_include=0x7f030019; public static final int design_layout_tab_icon=0x7f03001a; public static final int design_layout_tab_text=0x7f03001b; public static final int design_navigation_item=0x7f03001c; public static final int design_navigation_item_header=0x7f03001d; public static final int design_navigation_item_separator=0x7f03001e; public static final int design_navigation_item_subheader=0x7f03001f; public static final int design_navigation_menu=0x7f030020; public static final int mr_media_route_chooser_dialog=0x7f030021; public static final int mr_media_route_controller_material_dialog_b=0x7f030022; public static final int mr_media_route_list_item=0x7f030023; public static final int notification_media_action=0x7f030024; public static final int notification_media_cancel_action=0x7f030025; public static final int notification_template_big_media=0x7f030026; public static final int notification_template_big_media_narrow=0x7f030027; public static final int notification_template_lines=0x7f030028; public static final int notification_template_media=0x7f030029; public static final int notification_template_part_chronometer=0x7f03002a; public static final int notification_template_part_time=0x7f03002b; public static final int select_dialog_item_material=0x7f03002c; public static final int select_dialog_multichoice_material=0x7f03002d; public static final int select_dialog_singlechoice_material=0x7f03002e; public static final int support_simple_spinner_dropdown_item=0x7f03002f; public static final int tabbar=0x7f030030; public static final int toolbar=0x7f030031; } public static final class string { public static final int ApplicationName=0x7f05001f; public static final int Hello=0x7f05001e; public static final int abc_action_bar_home_description=0x7f05000b; public static final int abc_action_bar_home_description_format=0x7f05000c; public static final int abc_action_bar_home_subtitle_description_format=0x7f05000d; public static final int abc_action_bar_up_description=0x7f05000e; public static final int abc_action_menu_overflow_description=0x7f05000f; public static final int abc_action_mode_done=0x7f050010; public static final int abc_activity_chooser_view_see_all=0x7f050011; public static final int abc_activitychooserview_choose_application=0x7f050012; public static final int abc_search_hint=0x7f050013; public static final int abc_searchview_description_clear=0x7f050014; public static final int abc_searchview_description_query=0x7f050015; public static final int abc_searchview_description_search=0x7f050016; public static final int abc_searchview_description_submit=0x7f050017; public static final int abc_searchview_description_voice=0x7f050018; public static final int abc_shareactionprovider_share_with=0x7f050019; public static final int abc_shareactionprovider_share_with_application=0x7f05001a; public static final int abc_toolbar_collapse_description=0x7f05001b; public static final int appbar_scrolling_view_behavior=0x7f05001d; public static final int mr_media_route_button_content_description=0x7f050000; public static final int mr_media_route_chooser_searching=0x7f050001; public static final int mr_media_route_chooser_title=0x7f050002; public static final int mr_media_route_controller_disconnect=0x7f050003; public static final int mr_media_route_controller_no_info_available=0x7f050004; public static final int mr_media_route_controller_pause=0x7f050005; public static final int mr_media_route_controller_play=0x7f050006; public static final int mr_media_route_controller_settings_description=0x7f050007; public static final int mr_media_route_controller_stop=0x7f050008; public static final int mr_system_route_name=0x7f050009; public static final int mr_user_route_category_name=0x7f05000a; public static final int status_bar_notification_info_overflow=0x7f05001c; } public static final class style { public static final int AlertDialog_AppCompat=0x7f070081; public static final int AlertDialog_AppCompat_Light=0x7f070082; public static final int Animation_AppCompat_Dialog=0x7f070083; public static final int Animation_AppCompat_DropDownUp=0x7f070084; public static final int AppCompatDialogStyle=0x7f070146; public static final int Base_AlertDialog_AppCompat=0x7f070085; public static final int Base_AlertDialog_AppCompat_Light=0x7f070086; public static final int Base_Animation_AppCompat_Dialog=0x7f070087; public static final int Base_Animation_AppCompat_DropDownUp=0x7f070088; public static final int Base_DialogWindowTitle_AppCompat=0x7f070089; public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f07008a; public static final int Base_TextAppearance_AppCompat=0x7f070034; public static final int Base_TextAppearance_AppCompat_Body1=0x7f070035; public static final int Base_TextAppearance_AppCompat_Body2=0x7f070036; public static final int Base_TextAppearance_AppCompat_Button=0x7f07001f; public static final int Base_TextAppearance_AppCompat_Caption=0x7f070037; public static final int Base_TextAppearance_AppCompat_Display1=0x7f070038; public static final int Base_TextAppearance_AppCompat_Display2=0x7f070039; public static final int Base_TextAppearance_AppCompat_Display3=0x7f07003a; public static final int Base_TextAppearance_AppCompat_Display4=0x7f07003b; public static final int Base_TextAppearance_AppCompat_Headline=0x7f07003c; public static final int Base_TextAppearance_AppCompat_Inverse=0x7f07000a; public static final int Base_TextAppearance_AppCompat_Large=0x7f07003d; public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f07000b; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f07003e; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f07003f; public static final int Base_TextAppearance_AppCompat_Medium=0x7f070040; public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f07000c; public static final int Base_TextAppearance_AppCompat_Menu=0x7f070041; public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f07008b; public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f070042; public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f070043; public static final int Base_TextAppearance_AppCompat_Small=0x7f070044; public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f07000d; public static final int Base_TextAppearance_AppCompat_Subhead=0x7f070045; public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f07000e; public static final int Base_TextAppearance_AppCompat_Title=0x7f070046; public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f07000f; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f070047; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f070048; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f070049; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f07004a; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f07004b; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f07004c; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f07004d; public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f07004e; public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f07007d; public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f07008c; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f07004f; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f070050; public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f070051; public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f070052; public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f07008d; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f070053; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f070054; public static final int Base_Theme_AppCompat=0x7f070055; public static final int Base_Theme_AppCompat_CompactMenu=0x7f07008e; public static final int Base_Theme_AppCompat_Dialog=0x7f070010; public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f07008f; public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f070090; public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f070091; public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f070008; public static final int Base_Theme_AppCompat_Light=0x7f070056; public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f070092; public static final int Base_Theme_AppCompat_Light_Dialog=0x7f070011; public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f070093; public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f070094; public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f070095; public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f070009; public static final int Base_ThemeOverlay_AppCompat=0x7f070096; public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f070097; public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f070098; public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f070099; public static final int Base_ThemeOverlay_AppCompat_Light=0x7f07009a; public static final int Base_V11_Theme_AppCompat_Dialog=0x7f070012; public static final int Base_V11_Theme_AppCompat_Light_Dialog=0x7f070013; public static final int Base_V12_Widget_AppCompat_AutoCompleteTextView=0x7f07001b; public static final int Base_V12_Widget_AppCompat_EditText=0x7f07001c; public static final int Base_V21_Theme_AppCompat=0x7f070057; public static final int Base_V21_Theme_AppCompat_Dialog=0x7f070058; public static final int Base_V21_Theme_AppCompat_Light=0x7f070059; public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f07005a; public static final int Base_V22_Theme_AppCompat=0x7f07007b; public static final int Base_V22_Theme_AppCompat_Light=0x7f07007c; public static final int Base_V23_Theme_AppCompat=0x7f07007e; public static final int Base_V23_Theme_AppCompat_Light=0x7f07007f; public static final int Base_V7_Theme_AppCompat=0x7f07009b; public static final int Base_V7_Theme_AppCompat_Dialog=0x7f07009c; public static final int Base_V7_Theme_AppCompat_Light=0x7f07009d; public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f07009e; public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f07009f; public static final int Base_V7_Widget_AppCompat_EditText=0x7f0700a0; public static final int Base_Widget_AppCompat_ActionBar=0x7f0700a1; public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f0700a2; public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0700a3; public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f07005b; public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f07005c; public static final int Base_Widget_AppCompat_ActionButton=0x7f07005d; public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f07005e; public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f07005f; public static final int Base_Widget_AppCompat_ActionMode=0x7f0700a4; public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0700a5; public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f07001d; public static final int Base_Widget_AppCompat_Button=0x7f070060; public static final int Base_Widget_AppCompat_Button_Borderless=0x7f070061; public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f070062; public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0700a6; public static final int Base_Widget_AppCompat_Button_Colored=0x7f070080; public static final int Base_Widget_AppCompat_Button_Small=0x7f070063; public static final int Base_Widget_AppCompat_ButtonBar=0x7f070064; public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0700a7; public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f070065; public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f070066; public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0700a8; public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f070007; public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0700a9; public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f070067; public static final int Base_Widget_AppCompat_EditText=0x7f07001e; public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0700aa; public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0700ab; public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0700ac; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f070068; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f070069; public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f07006a; public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f07006b; public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f07006c; public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f07006d; public static final int Base_Widget_AppCompat_ListView=0x7f07006e; public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f07006f; public static final int Base_Widget_AppCompat_ListView_Menu=0x7f070070; public static final int Base_Widget_AppCompat_PopupMenu=0x7f070071; public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f070072; public static final int Base_Widget_AppCompat_PopupWindow=0x7f0700ad; public static final int Base_Widget_AppCompat_ProgressBar=0x7f070014; public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f070015; public static final int Base_Widget_AppCompat_RatingBar=0x7f070073; public static final int Base_Widget_AppCompat_SearchView=0x7f0700ae; public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0700af; public static final int Base_Widget_AppCompat_Spinner=0x7f070074; public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f070075; public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f070076; public static final int Base_Widget_AppCompat_Toolbar=0x7f0700b0; public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f070077; public static final int Base_Widget_Design_TabLayout=0x7f070136; public static final int CardView=0x7f070004; public static final int CardView_Dark=0x7f070005; public static final int CardView_Light=0x7f070006; public static final int MainTheme=0x7f070144; /** Base theme applied no matter what API */ public static final int MainTheme_Base=0x7f070145; public static final int Platform_AppCompat=0x7f070016; public static final int Platform_AppCompat_Light=0x7f070017; public static final int Platform_ThemeOverlay_AppCompat=0x7f070078; public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f070079; public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f07007a; public static final int Platform_V11_AppCompat=0x7f070018; public static final int Platform_V11_AppCompat_Light=0x7f070019; public static final int Platform_V14_AppCompat=0x7f070020; public static final int Platform_V14_AppCompat_Light=0x7f070021; public static final int Platform_Widget_AppCompat_Spinner=0x7f07001a; public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f070027; public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f070028; public static final int RtlOverlay_Widget_AppCompat_ActionButton_Overflow=0x7f070029; public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f07002a; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f07002b; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f07002c; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f07002d; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f07002e; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f07002f; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f070030; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f070031; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f070032; public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f070033; public static final int TextAppearance_AppCompat=0x7f0700b1; public static final int TextAppearance_AppCompat_Body1=0x7f0700b2; public static final int TextAppearance_AppCompat_Body2=0x7f0700b3; public static final int TextAppearance_AppCompat_Button=0x7f0700b4; public static final int TextAppearance_AppCompat_Caption=0x7f0700b5; public static final int TextAppearance_AppCompat_Display1=0x7f0700b6; public static final int TextAppearance_AppCompat_Display2=0x7f0700b7; public static final int TextAppearance_AppCompat_Display3=0x7f0700b8; public static final int TextAppearance_AppCompat_Display4=0x7f0700b9; public static final int TextAppearance_AppCompat_Headline=0x7f0700ba; public static final int TextAppearance_AppCompat_Inverse=0x7f0700bb; public static final int TextAppearance_AppCompat_Large=0x7f0700bc; public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0700bd; public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0700be; public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0700bf; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0700c0; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0700c1; public static final int TextAppearance_AppCompat_Medium=0x7f0700c2; public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0700c3; public static final int TextAppearance_AppCompat_Menu=0x7f0700c4; public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0700c5; public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0700c6; public static final int TextAppearance_AppCompat_Small=0x7f0700c7; public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0700c8; public static final int TextAppearance_AppCompat_Subhead=0x7f0700c9; public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0700ca; public static final int TextAppearance_AppCompat_Title=0x7f0700cb; public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0700cc; public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0700cd; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0700ce; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0700cf; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0700d0; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0700d1; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0700d2; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0700d3; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0700d4; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0700d5; public static final int TextAppearance_AppCompat_Widget_Button=0x7f0700d6; public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0700d7; public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0700d8; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0700d9; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0700da; public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0700db; public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0700dc; public static final int TextAppearance_Design_CollapsingToolbar_Expanded=0x7f070137; public static final int TextAppearance_Design_Error=0x7f070138; public static final int TextAppearance_Design_Hint=0x7f070139; public static final int TextAppearance_Design_Snackbar_Message=0x7f07013a; public static final int TextAppearance_Design_Tab=0x7f07013b; public static final int TextAppearance_StatusBar_EventContent=0x7f070022; public static final int TextAppearance_StatusBar_EventContent_Info=0x7f070023; public static final int TextAppearance_StatusBar_EventContent_Line2=0x7f070024; public static final int TextAppearance_StatusBar_EventContent_Time=0x7f070025; public static final int TextAppearance_StatusBar_EventContent_Title=0x7f070026; public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0700dd; public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0700de; public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0700df; public static final int Theme_AppCompat=0x7f0700e0; public static final int Theme_AppCompat_CompactMenu=0x7f0700e1; public static final int Theme_AppCompat_Dialog=0x7f0700e2; public static final int Theme_AppCompat_Dialog_Alert=0x7f0700e3; public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0700e4; public static final int Theme_AppCompat_DialogWhenLarge=0x7f0700e5; public static final int Theme_AppCompat_Light=0x7f0700e6; public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0700e7; public static final int Theme_AppCompat_Light_Dialog=0x7f0700e8; public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0700e9; public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0700ea; public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0700eb; public static final int Theme_AppCompat_Light_NoActionBar=0x7f0700ec; public static final int Theme_AppCompat_NoActionBar=0x7f0700ed; public static final int Theme_MediaRouter=0x7f070000; public static final int Theme_MediaRouter_Light=0x7f070001; public static final int ThemeOverlay_AppCompat=0x7f0700ee; public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0700ef; public static final int ThemeOverlay_AppCompat_Dark=0x7f0700f0; public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0700f1; public static final int ThemeOverlay_AppCompat_Light=0x7f0700f2; public static final int Widget_AppCompat_ActionBar=0x7f0700f3; public static final int Widget_AppCompat_ActionBar_Solid=0x7f0700f4; public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0700f5; public static final int Widget_AppCompat_ActionBar_TabText=0x7f0700f6; public static final int Widget_AppCompat_ActionBar_TabView=0x7f0700f7; public static final int Widget_AppCompat_ActionButton=0x7f0700f8; public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0700f9; public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0700fa; public static final int Widget_AppCompat_ActionMode=0x7f0700fb; public static final int Widget_AppCompat_ActivityChooserView=0x7f0700fc; public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0700fd; public static final int Widget_AppCompat_Button=0x7f0700fe; public static final int Widget_AppCompat_Button_Borderless=0x7f0700ff; public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f070100; public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f070101; public static final int Widget_AppCompat_Button_Colored=0x7f070102; public static final int Widget_AppCompat_Button_Small=0x7f070103; public static final int Widget_AppCompat_ButtonBar=0x7f070104; public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f070105; public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f070106; public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f070107; public static final int Widget_AppCompat_CompoundButton_Switch=0x7f070108; public static final int Widget_AppCompat_DrawerArrowToggle=0x7f070109; public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f07010a; public static final int Widget_AppCompat_EditText=0x7f07010b; public static final int Widget_AppCompat_Light_ActionBar=0x7f07010c; public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f07010d; public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f07010e; public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f07010f; public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f070110; public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f070111; public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f070112; public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f070113; public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f070114; public static final int Widget_AppCompat_Light_ActionButton=0x7f070115; public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f070116; public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f070117; public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f070118; public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f070119; public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f07011a; public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f07011b; public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f07011c; public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f07011d; public static final int Widget_AppCompat_Light_PopupMenu=0x7f07011e; public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f07011f; public static final int Widget_AppCompat_Light_SearchView=0x7f070120; public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f070121; public static final int Widget_AppCompat_ListPopupWindow=0x7f070122; public static final int Widget_AppCompat_ListView=0x7f070123; public static final int Widget_AppCompat_ListView_DropDown=0x7f070124; public static final int Widget_AppCompat_ListView_Menu=0x7f070125; public static final int Widget_AppCompat_PopupMenu=0x7f070126; public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f070127; public static final int Widget_AppCompat_PopupWindow=0x7f070128; public static final int Widget_AppCompat_ProgressBar=0x7f070129; public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f07012a; public static final int Widget_AppCompat_RatingBar=0x7f07012b; public static final int Widget_AppCompat_SearchView=0x7f07012c; public static final int Widget_AppCompat_SearchView_ActionBar=0x7f07012d; public static final int Widget_AppCompat_Spinner=0x7f07012e; public static final int Widget_AppCompat_Spinner_DropDown=0x7f07012f; public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f070130; public static final int Widget_AppCompat_Spinner_Underlined=0x7f070131; public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f070132; public static final int Widget_AppCompat_Toolbar=0x7f070133; public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f070134; public static final int Widget_Design_AppBarLayout=0x7f07013c; public static final int Widget_Design_CollapsingToolbar=0x7f07013d; public static final int Widget_Design_CoordinatorLayout=0x7f07013e; public static final int Widget_Design_FloatingActionButton=0x7f07013f; public static final int Widget_Design_NavigationView=0x7f070140; public static final int Widget_Design_ScrimInsetsFrameLayout=0x7f070141; public static final int Widget_Design_Snackbar=0x7f070142; public static final int Widget_Design_TabLayout=0x7f070135; public static final int Widget_Design_TextInputLayout=0x7f070143; public static final int Widget_MediaRouter_Light_MediaRouteButton=0x7f070002; public static final int Widget_MediaRouter_MediaRouteButton=0x7f070003; } 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 ExamDictionary.Droid:background}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_backgroundSplit ExamDictionary.Droid:backgroundSplit}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_backgroundStacked ExamDictionary.Droid:backgroundStacked}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_contentInsetEnd ExamDictionary.Droid:contentInsetEnd}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_contentInsetLeft ExamDictionary.Droid:contentInsetLeft}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_contentInsetRight ExamDictionary.Droid:contentInsetRight}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_contentInsetStart ExamDictionary.Droid:contentInsetStart}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_customNavigationLayout ExamDictionary.Droid:customNavigationLayout}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_displayOptions ExamDictionary.Droid:displayOptions}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_divider ExamDictionary.Droid:divider}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_elevation ExamDictionary.Droid:elevation}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_height ExamDictionary.Droid:height}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_hideOnContentScroll ExamDictionary.Droid:hideOnContentScroll}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_homeAsUpIndicator ExamDictionary.Droid:homeAsUpIndicator}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_homeLayout ExamDictionary.Droid:homeLayout}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_icon ExamDictionary.Droid:icon}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_indeterminateProgressStyle ExamDictionary.Droid:indeterminateProgressStyle}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_itemPadding ExamDictionary.Droid:itemPadding}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_logo ExamDictionary.Droid:logo}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_navigationMode ExamDictionary.Droid:navigationMode}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_popupTheme ExamDictionary.Droid:popupTheme}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_progressBarPadding ExamDictionary.Droid:progressBarPadding}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_progressBarStyle ExamDictionary.Droid:progressBarStyle}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_subtitle ExamDictionary.Droid:subtitle}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_subtitleTextStyle ExamDictionary.Droid:subtitleTextStyle}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_title ExamDictionary.Droid:title}</code></td><td></td></tr> <tr><td><code>{@link #ActionBar_titleTextStyle ExamDictionary.Droid:titleTextStyle}</code></td><td></td></tr> </table> @see #ActionBar_background @see #ActionBar_backgroundSplit @see #ActionBar_backgroundStacked @see #ActionBar_contentInsetEnd @see #ActionBar_contentInsetLeft @see #ActionBar_contentInsetRight @see #ActionBar_contentInsetStart @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 = { 0x7f010015, 0x7f010017, 0x7f010018, 0x7f010019, 0x7f01001a, 0x7f01001b, 0x7f01001c, 0x7f01001d, 0x7f01001e, 0x7f01001f, 0x7f010020, 0x7f010021, 0x7f010022, 0x7f010023, 0x7f010024, 0x7f010025, 0x7f010026, 0x7f010027, 0x7f010028, 0x7f010029, 0x7f01002a, 0x7f01002b, 0x7f01002c, 0x7f01002d, 0x7f01002e, 0x7f01002f, 0x7f01008f }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#background} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:background */ public static final int ActionBar_background = 10; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundSplit} attribute's value can be found in the {@link #ActionBar} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:backgroundSplit */ public static final int ActionBar_backgroundSplit = 12; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundStacked} attribute's value can be found in the {@link #ActionBar} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:backgroundStacked */ public static final int ActionBar_backgroundStacked = 11; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetEnd} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetEnd */ public static final int ActionBar_contentInsetEnd = 21; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetLeft} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetLeft */ public static final int ActionBar_contentInsetLeft = 22; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetRight} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetRight */ public static final int ActionBar_contentInsetRight = 23; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetStart} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetStart */ public static final int ActionBar_contentInsetStart = 20; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#customNavigationLayout} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:customNavigationLayout */ public static final int ActionBar_customNavigationLayout = 13; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#displayOptions} attribute's value can be found in the {@link #ActionBar} array. <p>Must be one or more (separated by '|') of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>none</code></td><td>0</td><td></td></tr> <tr><td><code>useLogo</code></td><td>0x1</td><td></td></tr> <tr><td><code>showHome</code></td><td>0x2</td><td></td></tr> <tr><td><code>homeAsUp</code></td><td>0x4</td><td></td></tr> <tr><td><code>showTitle</code></td><td>0x8</td><td></td></tr> <tr><td><code>showCustom</code></td><td>0x10</td><td></td></tr> <tr><td><code>disableHome</code></td><td>0x20</td><td></td></tr> </table> @attr name ExamDictionary.Droid:displayOptions */ public static final int ActionBar_displayOptions = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#divider} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:divider */ public static final int ActionBar_divider = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#elevation} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:elevation */ public static final int ActionBar_elevation = 24; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#height} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:height */ public static final int ActionBar_height = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#hideOnContentScroll} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:hideOnContentScroll */ public static final int ActionBar_hideOnContentScroll = 19; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#homeAsUpIndicator} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:homeAsUpIndicator */ public static final int ActionBar_homeAsUpIndicator = 26; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#homeLayout} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:homeLayout */ public static final int ActionBar_homeLayout = 14; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#icon} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:icon */ public static final int ActionBar_icon = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#indeterminateProgressStyle} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:indeterminateProgressStyle */ public static final int ActionBar_indeterminateProgressStyle = 16; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#itemPadding} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:itemPadding */ public static final int ActionBar_itemPadding = 18; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#logo} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:logo */ public static final int ActionBar_logo = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#navigationMode} attribute's value can be found in the {@link #ActionBar} array. <p>Must be one of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>normal</code></td><td>0</td><td></td></tr> <tr><td><code>listMode</code></td><td>1</td><td></td></tr> <tr><td><code>tabMode</code></td><td>2</td><td></td></tr> </table> @attr name ExamDictionary.Droid:navigationMode */ public static final int ActionBar_navigationMode = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#popupTheme} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:popupTheme */ public static final int ActionBar_popupTheme = 25; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#progressBarPadding} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:progressBarPadding */ public static final int ActionBar_progressBarPadding = 17; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#progressBarStyle} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:progressBarStyle */ public static final int ActionBar_progressBarStyle = 15; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#subtitle} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:subtitle */ public static final int ActionBar_subtitle = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#subtitleTextStyle} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:subtitleTextStyle */ public static final int ActionBar_subtitleTextStyle = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#title} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:title */ public static final int ActionBar_title = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleTextStyle} attribute's value can be found in the {@link #ActionBar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:titleTextStyle */ public static final int ActionBar_titleTextStyle = 5; /** 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. @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. @attr name android:minWidth */ public static final int ActionMenuItemView_android_minWidth = 0; /** Attributes that can be used with a ActionMenuView. */ 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 ExamDictionary.Droid:background}</code></td><td></td></tr> <tr><td><code>{@link #ActionMode_backgroundSplit ExamDictionary.Droid:backgroundSplit}</code></td><td></td></tr> <tr><td><code>{@link #ActionMode_closeItemLayout ExamDictionary.Droid:closeItemLayout}</code></td><td></td></tr> <tr><td><code>{@link #ActionMode_height ExamDictionary.Droid:height}</code></td><td></td></tr> <tr><td><code>{@link #ActionMode_subtitleTextStyle ExamDictionary.Droid:subtitleTextStyle}</code></td><td></td></tr> <tr><td><code>{@link #ActionMode_titleTextStyle ExamDictionary.Droid:titleTextStyle}</code></td><td></td></tr> </table> @see #ActionMode_background @see #ActionMode_backgroundSplit @see #ActionMode_closeItemLayout @see #ActionMode_height @see #ActionMode_subtitleTextStyle @see #ActionMode_titleTextStyle */ public static final int[] ActionMode = { 0x7f010015, 0x7f01001b, 0x7f01001c, 0x7f010020, 0x7f010022, 0x7f010030 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#background} attribute's value can be found in the {@link #ActionMode} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:background */ public static final int ActionMode_background = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundSplit} attribute's value can be found in the {@link #ActionMode} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:backgroundSplit */ public static final int ActionMode_backgroundSplit = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#closeItemLayout} attribute's value can be found in the {@link #ActionMode} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:closeItemLayout */ public static final int ActionMode_closeItemLayout = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#height} attribute's value can be found in the {@link #ActionMode} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:height */ public static final int ActionMode_height = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#subtitleTextStyle} attribute's value can be found in the {@link #ActionMode} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:subtitleTextStyle */ public static final int ActionMode_subtitleTextStyle = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleTextStyle} attribute's value can be found in the {@link #ActionMode} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:titleTextStyle */ public static final int ActionMode_titleTextStyle = 1; /** 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 ExamDictionary.Droid:expandActivityOverflowButtonDrawable}</code></td><td></td></tr> <tr><td><code>{@link #ActivityChooserView_initialActivityCount ExamDictionary.Droid:initialActivityCount}</code></td><td></td></tr> </table> @see #ActivityChooserView_expandActivityOverflowButtonDrawable @see #ActivityChooserView_initialActivityCount */ public static final int[] ActivityChooserView = { 0x7f010031, 0x7f010032 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandActivityOverflowButtonDrawable} attribute's value can be found in the {@link #ActivityChooserView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:expandActivityOverflowButtonDrawable */ public static final int ActivityChooserView_expandActivityOverflowButtonDrawable = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#initialActivityCount} attribute's value can be found in the {@link #ActivityChooserView} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:initialActivityCount */ public static final int ActivityChooserView_initialActivityCount = 0; /** 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_buttonPanelSideLayout ExamDictionary.Droid:buttonPanelSideLayout}</code></td><td></td></tr> <tr><td><code>{@link #AlertDialog_listItemLayout ExamDictionary.Droid:listItemLayout}</code></td><td></td></tr> <tr><td><code>{@link #AlertDialog_listLayout ExamDictionary.Droid:listLayout}</code></td><td></td></tr> <tr><td><code>{@link #AlertDialog_multiChoiceItemLayout ExamDictionary.Droid:multiChoiceItemLayout}</code></td><td></td></tr> <tr><td><code>{@link #AlertDialog_singleChoiceItemLayout ExamDictionary.Droid:singleChoiceItemLayout}</code></td><td></td></tr> </table> @see #AlertDialog_android_layout @see #AlertDialog_buttonPanelSideLayout @see #AlertDialog_listItemLayout @see #AlertDialog_listLayout @see #AlertDialog_multiChoiceItemLayout @see #AlertDialog_singleChoiceItemLayout */ public static final int[] AlertDialog = { 0x010100f2, 0x7f010033, 0x7f010034, 0x7f010035, 0x7f010036, 0x7f010037 }; /** <p>This symbol is the offset where the {@link android.R.attr#layout} attribute's value can be found in the {@link #AlertDialog} array. @attr name android:layout */ public static final int AlertDialog_android_layout = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonPanelSideLayout} attribute's value can be found in the {@link #AlertDialog} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonPanelSideLayout */ public static final int AlertDialog_buttonPanelSideLayout = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listItemLayout} attribute's value can be found in the {@link #AlertDialog} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:listItemLayout */ public static final int AlertDialog_listItemLayout = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listLayout} attribute's value can be found in the {@link #AlertDialog} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:listLayout */ public static final int AlertDialog_listLayout = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#multiChoiceItemLayout} attribute's value can be found in the {@link #AlertDialog} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:multiChoiceItemLayout */ public static final int AlertDialog_multiChoiceItemLayout = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#singleChoiceItemLayout} attribute's value can be found in the {@link #AlertDialog} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:singleChoiceItemLayout */ public static final int AlertDialog_singleChoiceItemLayout = 4; /** 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_elevation ExamDictionary.Droid:elevation}</code></td><td></td></tr> <tr><td><code>{@link #AppBarLayout_expanded ExamDictionary.Droid:expanded}</code></td><td></td></tr> </table> @see #AppBarLayout_android_background @see #AppBarLayout_elevation @see #AppBarLayout_expanded */ public static final int[] AppBarLayout = { 0x010100d4, 0x7f01002e, 0x7f0100df }; /** <p>This symbol is the offset where the {@link android.R.attr#background} attribute's value can be found in the {@link #AppBarLayout} array. @attr name android:background */ public static final int AppBarLayout_android_background = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#elevation} attribute's value can be found in the {@link #AppBarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:elevation */ public static final int AppBarLayout_elevation = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expanded} attribute's value can be found in the {@link #AppBarLayout} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:expanded */ public static final int AppBarLayout_expanded = 2; /** Attributes that can be used with a AppBarLayout_LayoutParams. <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_LayoutParams_layout_scrollFlags ExamDictionary.Droid:layout_scrollFlags}</code></td><td></td></tr> <tr><td><code>{@link #AppBarLayout_LayoutParams_layout_scrollInterpolator ExamDictionary.Droid:layout_scrollInterpolator}</code></td><td></td></tr> </table> @see #AppBarLayout_LayoutParams_layout_scrollFlags @see #AppBarLayout_LayoutParams_layout_scrollInterpolator */ public static final int[] AppBarLayout_LayoutParams = { 0x7f0100e0, 0x7f0100e1 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_scrollFlags} attribute's value can be found in the {@link #AppBarLayout_LayoutParams} 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><code>scroll</code></td><td>0x1</td><td></td></tr> <tr><td><code>exitUntilCollapsed</code></td><td>0x2</td><td></td></tr> <tr><td><code>enterAlways</code></td><td>0x4</td><td></td></tr> <tr><td><code>enterAlwaysCollapsed</code></td><td>0x8</td><td></td></tr> </table> @attr name ExamDictionary.Droid:layout_scrollFlags */ public static final int AppBarLayout_LayoutParams_layout_scrollFlags = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_scrollInterpolator} attribute's value can be found in the {@link #AppBarLayout_LayoutParams} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:layout_scrollInterpolator */ public static final int AppBarLayout_LayoutParams_layout_scrollInterpolator = 1; /** 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_textAllCaps ExamDictionary.Droid:textAllCaps}</code></td><td></td></tr> </table> @see #AppCompatTextView_android_textAppearance @see #AppCompatTextView_textAllCaps */ public static final int[] AppCompatTextView = { 0x01010034, 0x7f010038 }; /** <p>This symbol is the offset where the {@link android.R.attr#textAppearance} attribute's value can be found in the {@link #AppCompatTextView} array. @attr name android:textAppearance */ public static final int AppCompatTextView_android_textAppearance = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAllCaps} attribute's value can be found in the {@link #AppCompatTextView} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". <p>May be a boolean value, either "<code>true</code>" or "<code>false</code>". @attr name ExamDictionary.Droid:textAllCaps */ public static final int AppCompatTextView_textAllCaps = 1; /** 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_cardBackgroundColor ExamDictionary.Droid:cardBackgroundColor}</code></td><td></td></tr> <tr><td><code>{@link #CardView_cardCornerRadius ExamDictionary.Droid:cardCornerRadius}</code></td><td></td></tr> <tr><td><code>{@link #CardView_cardElevation ExamDictionary.Droid:cardElevation}</code></td><td></td></tr> <tr><td><code>{@link #CardView_cardMaxElevation ExamDictionary.Droid:cardMaxElevation}</code></td><td></td></tr> <tr><td><code>{@link #CardView_cardPreventCornerOverlap ExamDictionary.Droid:cardPreventCornerOverlap}</code></td><td></td></tr> <tr><td><code>{@link #CardView_cardUseCompatPadding ExamDictionary.Droid:cardUseCompatPadding}</code></td><td></td></tr> <tr><td><code>{@link #CardView_contentPadding ExamDictionary.Droid:contentPadding}</code></td><td></td></tr> <tr><td><code>{@link #CardView_contentPaddingBottom ExamDictionary.Droid:contentPaddingBottom}</code></td><td></td></tr> <tr><td><code>{@link #CardView_contentPaddingLeft ExamDictionary.Droid:contentPaddingLeft}</code></td><td></td></tr> <tr><td><code>{@link #CardView_contentPaddingRight ExamDictionary.Droid:contentPaddingRight}</code></td><td></td></tr> <tr><td><code>{@link #CardView_contentPaddingTop ExamDictionary.Droid:contentPaddingTop}</code></td><td></td></tr> </table> @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 = { 0x7f010009, 0x7f01000a, 0x7f01000b, 0x7f01000c, 0x7f01000d, 0x7f01000e, 0x7f01000f, 0x7f010010, 0x7f010011, 0x7f010012, 0x7f010013 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#cardBackgroundColor} attribute's value can be found in the {@link #CardView} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:cardBackgroundColor */ public static final int CardView_cardBackgroundColor = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#cardCornerRadius} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:cardCornerRadius */ public static final int CardView_cardCornerRadius = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#cardElevation} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:cardElevation */ public static final int CardView_cardElevation = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#cardMaxElevation} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:cardMaxElevation */ public static final int CardView_cardMaxElevation = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#cardPreventCornerOverlap} attribute's value can be found in the {@link #CardView} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:cardPreventCornerOverlap */ public static final int CardView_cardPreventCornerOverlap = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#cardUseCompatPadding} attribute's value can be found in the {@link #CardView} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:cardUseCompatPadding */ public static final int CardView_cardUseCompatPadding = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentPadding} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentPadding */ public static final int CardView_contentPadding = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentPaddingBottom} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentPaddingBottom */ public static final int CardView_contentPaddingBottom = 10; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentPaddingLeft} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentPaddingLeft */ public static final int CardView_contentPaddingLeft = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentPaddingRight} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentPaddingRight */ public static final int CardView_contentPaddingRight = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentPaddingTop} attribute's value can be found in the {@link #CardView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentPaddingTop */ public static final int CardView_contentPaddingTop = 9; /** Attributes that can be used with a CollapsingAppBarLayout_LayoutParams. <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 #CollapsingAppBarLayout_LayoutParams_layout_collapseMode ExamDictionary.Droid:layout_collapseMode}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingAppBarLayout_LayoutParams_layout_collapseParallaxMultiplier ExamDictionary.Droid:layout_collapseParallaxMultiplier}</code></td><td></td></tr> </table> @see #CollapsingAppBarLayout_LayoutParams_layout_collapseMode @see #CollapsingAppBarLayout_LayoutParams_layout_collapseParallaxMultiplier */ public static final int[] CollapsingAppBarLayout_LayoutParams = { 0x7f0100e2, 0x7f0100e3 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_collapseMode} attribute's value can be found in the {@link #CollapsingAppBarLayout_LayoutParams} 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><code>none</code></td><td>0</td><td></td></tr> <tr><td><code>pin</code></td><td>1</td><td></td></tr> <tr><td><code>parallax</code></td><td>2</td><td></td></tr> </table> @attr name ExamDictionary.Droid:layout_collapseMode */ public static final int CollapsingAppBarLayout_LayoutParams_layout_collapseMode = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_collapseParallaxMultiplier} attribute's value can be found in the {@link #CollapsingAppBarLayout_LayoutParams} array. <p>Must be a floating point value, such as "<code>1.2</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:layout_collapseParallaxMultiplier */ public static final int CollapsingAppBarLayout_LayoutParams_layout_collapseParallaxMultiplier = 1; /** 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 ExamDictionary.Droid:collapsedTitleGravity}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleTextAppearance ExamDictionary.Droid:collapsedTitleTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_contentScrim ExamDictionary.Droid:contentScrim}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleGravity ExamDictionary.Droid:expandedTitleGravity}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMargin ExamDictionary.Droid:expandedTitleMargin}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginBottom ExamDictionary.Droid:expandedTitleMarginBottom}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginEnd ExamDictionary.Droid:expandedTitleMarginEnd}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginStart ExamDictionary.Droid:expandedTitleMarginStart}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginTop ExamDictionary.Droid:expandedTitleMarginTop}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleTextAppearance ExamDictionary.Droid:expandedTitleTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_statusBarScrim ExamDictionary.Droid:statusBarScrim}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_title ExamDictionary.Droid:title}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_titleEnabled ExamDictionary.Droid:titleEnabled}</code></td><td></td></tr> <tr><td><code>{@link #CollapsingToolbarLayout_toolbarId ExamDictionary.Droid: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_statusBarScrim @see #CollapsingToolbarLayout_title @see #CollapsingToolbarLayout_titleEnabled @see #CollapsingToolbarLayout_toolbarId */ public static final int[] CollapsingToolbarLayout = { 0x7f010017, 0x7f0100e4, 0x7f0100e5, 0x7f0100e6, 0x7f0100e7, 0x7f0100e8, 0x7f0100e9, 0x7f0100ea, 0x7f0100eb, 0x7f0100ec, 0x7f0100ed, 0x7f0100ee, 0x7f0100ef, 0x7f0100f0 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.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><code>top</code></td><td>0x30</td><td></td></tr> <tr><td><code>bottom</code></td><td>0x50</td><td></td></tr> <tr><td><code>left</code></td><td>0x03</td><td></td></tr> <tr><td><code>right</code></td><td>0x05</td><td></td></tr> <tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr> <tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr> <tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr> <tr><td><code>center</code></td><td>0x11</td><td></td></tr> <tr><td><code>start</code></td><td>0x00800003</td><td></td></tr> <tr><td><code>end</code></td><td>0x00800005</td><td></td></tr> </table> @attr name ExamDictionary.Droid:collapsedTitleGravity */ public static final int CollapsingToolbarLayout_collapsedTitleGravity = 11; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#collapsedTitleTextAppearance} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:collapsedTitleTextAppearance */ public static final int CollapsingToolbarLayout_collapsedTitleTextAppearance = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentScrim} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentScrim */ public static final int CollapsingToolbarLayout_contentScrim = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.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><code>top</code></td><td>0x30</td><td></td></tr> <tr><td><code>bottom</code></td><td>0x50</td><td></td></tr> <tr><td><code>left</code></td><td>0x03</td><td></td></tr> <tr><td><code>right</code></td><td>0x05</td><td></td></tr> <tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr> <tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr> <tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr> <tr><td><code>center</code></td><td>0x11</td><td></td></tr> <tr><td><code>start</code></td><td>0x00800003</td><td></td></tr> <tr><td><code>end</code></td><td>0x00800005</td><td></td></tr> </table> @attr name ExamDictionary.Droid:expandedTitleGravity */ public static final int CollapsingToolbarLayout_expandedTitleGravity = 12; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandedTitleMargin} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:expandedTitleMargin */ public static final int CollapsingToolbarLayout_expandedTitleMargin = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandedTitleMarginBottom} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:expandedTitleMarginBottom */ public static final int CollapsingToolbarLayout_expandedTitleMarginBottom = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandedTitleMarginEnd} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:expandedTitleMarginEnd */ public static final int CollapsingToolbarLayout_expandedTitleMarginEnd = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandedTitleMarginStart} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:expandedTitleMarginStart */ public static final int CollapsingToolbarLayout_expandedTitleMarginStart = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandedTitleMarginTop} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:expandedTitleMarginTop */ public static final int CollapsingToolbarLayout_expandedTitleMarginTop = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#expandedTitleTextAppearance} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:expandedTitleTextAppearance */ public static final int CollapsingToolbarLayout_expandedTitleTextAppearance = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#statusBarScrim} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:statusBarScrim */ public static final int CollapsingToolbarLayout_statusBarScrim = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#title} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:title */ public static final int CollapsingToolbarLayout_title = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleEnabled} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleEnabled */ public static final int CollapsingToolbarLayout_titleEnabled = 13; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#toolbarId} attribute's value can be found in the {@link #CollapsingToolbarLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:toolbarId */ public static final int CollapsingToolbarLayout_toolbarId = 10; /** Attributes that can be used with a CompoundButton. <p>Includes the following attributes:</p> <table> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Attribute</th><th>Description</th></tr> <tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr> <tr><td><code>{@link #CompoundButton_buttonTint ExamDictionary.Droid:buttonTint}</code></td><td></td></tr> <tr><td><code>{@link #CompoundButton_buttonTintMode ExamDictionary.Droid:buttonTintMode}</code></td><td></td></tr> </table> @see #CompoundButton_android_button @see #CompoundButton_buttonTint @see #CompoundButton_buttonTintMode */ public static final int[] CompoundButton = { 0x01010107, 0x7f010039, 0x7f01003a }; /** <p>This symbol is the offset where the {@link android.R.attr#button} attribute's value can be found in the {@link #CompoundButton} array. @attr name android:button */ public static final int CompoundButton_android_button = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonTint} attribute's value can be found in the {@link #CompoundButton} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:buttonTint */ public static final int CompoundButton_buttonTint = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonTintMode} attribute's value can be found in the {@link #CompoundButton} array. <p>Must be one of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>src_over</code></td><td>3</td><td></td></tr> <tr><td><code>src_in</code></td><td>5</td><td></td></tr> <tr><td><code>src_atop</code></td><td>9</td><td></td></tr> <tr><td><code>multiply</code></td><td>14</td><td></td></tr> <tr><td><code>screen</code></td><td>15</td><td></td></tr> </table> @attr name ExamDictionary.Droid:buttonTintMode */ public static final int CompoundButton_buttonTintMode = 2; /** Attributes that can be used with a CoordinatorLayout. <p>Includes the following attributes:</p> <table> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Attribute</th><th>Description</th></tr> <tr><td><code>{@link #CoordinatorLayout_keylines ExamDictionary.Droid:keylines}</code></td><td></td></tr> <tr><td><code>{@link #CoordinatorLayout_statusBarBackground ExamDictionary.Droid:statusBarBackground}</code></td><td></td></tr> </table> @see #CoordinatorLayout_keylines @see #CoordinatorLayout_statusBarBackground */ public static final int[] CoordinatorLayout = { 0x7f0100f1, 0x7f0100f2 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#keylines} attribute's value can be found in the {@link #CoordinatorLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:keylines */ public static final int CoordinatorLayout_keylines = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#statusBarBackground} attribute's value can be found in the {@link #CoordinatorLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:statusBarBackground */ public static final int CoordinatorLayout_statusBarBackground = 1; /** Attributes that can be used with a CoordinatorLayout_LayoutParams. <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_LayoutParams_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> <tr><td><code>{@link #CoordinatorLayout_LayoutParams_layout_anchor ExamDictionary.Droid:layout_anchor}</code></td><td></td></tr> <tr><td><code>{@link #CoordinatorLayout_LayoutParams_layout_anchorGravity ExamDictionary.Droid:layout_anchorGravity}</code></td><td></td></tr> <tr><td><code>{@link #CoordinatorLayout_LayoutParams_layout_behavior ExamDictionary.Droid:layout_behavior}</code></td><td></td></tr> <tr><td><code>{@link #CoordinatorLayout_LayoutParams_layout_keyline ExamDictionary.Droid:layout_keyline}</code></td><td></td></tr> </table> @see #CoordinatorLayout_LayoutParams_android_layout_gravity @see #CoordinatorLayout_LayoutParams_layout_anchor @see #CoordinatorLayout_LayoutParams_layout_anchorGravity @see #CoordinatorLayout_LayoutParams_layout_behavior @see #CoordinatorLayout_LayoutParams_layout_keyline */ public static final int[] CoordinatorLayout_LayoutParams = { 0x010100b3, 0x7f0100f3, 0x7f0100f4, 0x7f0100f5, 0x7f0100f6 }; /** <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} attribute's value can be found in the {@link #CoordinatorLayout_LayoutParams} array. @attr name android:layout_gravity */ public static final int CoordinatorLayout_LayoutParams_android_layout_gravity = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_anchor} attribute's value can be found in the {@link #CoordinatorLayout_LayoutParams} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:layout_anchor */ public static final int CoordinatorLayout_LayoutParams_layout_anchor = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_anchorGravity} attribute's value can be found in the {@link #CoordinatorLayout_LayoutParams} 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><code>top</code></td><td>0x30</td><td></td></tr> <tr><td><code>bottom</code></td><td>0x50</td><td></td></tr> <tr><td><code>left</code></td><td>0x03</td><td></td></tr> <tr><td><code>right</code></td><td>0x05</td><td></td></tr> <tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr> <tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr> <tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr> <tr><td><code>fill_horizontal</code></td><td>0x07</td><td></td></tr> <tr><td><code>center</code></td><td>0x11</td><td></td></tr> <tr><td><code>fill</code></td><td>0x77</td><td></td></tr> <tr><td><code>clip_vertical</code></td><td>0x80</td><td></td></tr> <tr><td><code>clip_horizontal</code></td><td>0x08</td><td></td></tr> <tr><td><code>start</code></td><td>0x00800003</td><td></td></tr> <tr><td><code>end</code></td><td>0x00800005</td><td></td></tr> </table> @attr name ExamDictionary.Droid:layout_anchorGravity */ public static final int CoordinatorLayout_LayoutParams_layout_anchorGravity = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_behavior} attribute's value can be found in the {@link #CoordinatorLayout_LayoutParams} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:layout_behavior */ public static final int CoordinatorLayout_LayoutParams_layout_behavior = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout_keyline} attribute's value can be found in the {@link #CoordinatorLayout_LayoutParams} array. <p>Must be an integer value, such as "<code>100</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:layout_keyline */ public static final int CoordinatorLayout_LayoutParams_layout_keyline = 3; /** 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 ExamDictionary.Droid:arrowHeadLength}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength ExamDictionary.Droid:arrowShaftLength}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_barLength ExamDictionary.Droid:barLength}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_color ExamDictionary.Droid:color}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_drawableSize ExamDictionary.Droid:drawableSize}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars ExamDictionary.Droid:gapBetweenBars}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_spinBars ExamDictionary.Droid:spinBars}</code></td><td></td></tr> <tr><td><code>{@link #DrawerArrowToggle_thickness ExamDictionary.Droid:thickness}</code></td><td></td></tr> </table> @see #DrawerArrowToggle_arrowHeadLength @see #DrawerArrowToggle_arrowShaftLength @see #DrawerArrowToggle_barLength @see #DrawerArrowToggle_color @see #DrawerArrowToggle_drawableSize @see #DrawerArrowToggle_gapBetweenBars @see #DrawerArrowToggle_spinBars @see #DrawerArrowToggle_thickness */ public static final int[] DrawerArrowToggle = { 0x7f01003b, 0x7f01003c, 0x7f01003d, 0x7f01003e, 0x7f01003f, 0x7f010040, 0x7f010041, 0x7f010042 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#arrowHeadLength} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:arrowHeadLength */ public static final int DrawerArrowToggle_arrowHeadLength = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#arrowShaftLength} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:arrowShaftLength */ public static final int DrawerArrowToggle_arrowShaftLength = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#barLength} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:barLength */ public static final int DrawerArrowToggle_barLength = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#color} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:color */ public static final int DrawerArrowToggle_color = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#drawableSize} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:drawableSize */ public static final int DrawerArrowToggle_drawableSize = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#gapBetweenBars} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:gapBetweenBars */ public static final int DrawerArrowToggle_gapBetweenBars = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#spinBars} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:spinBars */ public static final int DrawerArrowToggle_spinBars = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#thickness} attribute's value can be found in the {@link #DrawerArrowToggle} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid: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_android_background android:background}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_backgroundTint ExamDictionary.Droid:backgroundTint}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_backgroundTintMode ExamDictionary.Droid:backgroundTintMode}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_borderWidth ExamDictionary.Droid:borderWidth}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_elevation ExamDictionary.Droid:elevation}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_fabSize ExamDictionary.Droid:fabSize}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_pressedTranslationZ ExamDictionary.Droid:pressedTranslationZ}</code></td><td></td></tr> <tr><td><code>{@link #FloatingActionButton_rippleColor ExamDictionary.Droid:rippleColor}</code></td><td></td></tr> </table> @see #FloatingActionButton_android_background @see #FloatingActionButton_backgroundTint @see #FloatingActionButton_backgroundTintMode @see #FloatingActionButton_borderWidth @see #FloatingActionButton_elevation @see #FloatingActionButton_fabSize @see #FloatingActionButton_pressedTranslationZ @see #FloatingActionButton_rippleColor */ public static final int[] FloatingActionButton = { 0x010100d4, 0x7f01002e, 0x7f0100dd, 0x7f0100de, 0x7f0100f7, 0x7f0100f8, 0x7f0100f9, 0x7f0100fa }; /** <p>This symbol is the offset where the {@link android.R.attr#background} attribute's value can be found in the {@link #FloatingActionButton} array. @attr name android:background */ public static final int FloatingActionButton_android_background = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundTint} attribute's value can be found in the {@link #FloatingActionButton} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:backgroundTint */ public static final int FloatingActionButton_backgroundTint = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundTintMode} attribute's value can be found in the {@link #FloatingActionButton} array. <p>Must be one of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>src_over</code></td><td>3</td><td></td></tr> <tr><td><code>src_in</code></td><td>5</td><td></td></tr> <tr><td><code>src_atop</code></td><td>9</td><td></td></tr> <tr><td><code>multiply</code></td><td>14</td><td></td></tr> <tr><td><code>screen</code></td><td>15</td><td></td></tr> </table> @attr name ExamDictionary.Droid:backgroundTintMode */ public static final int FloatingActionButton_backgroundTintMode = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#borderWidth} attribute's value can be found in the {@link #FloatingActionButton} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:borderWidth */ public static final int FloatingActionButton_borderWidth = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#elevation} attribute's value can be found in the {@link #FloatingActionButton} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:elevation */ public static final int FloatingActionButton_elevation = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.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><code>normal</code></td><td>0</td><td></td></tr> <tr><td><code>mini</code></td><td>1</td><td></td></tr> </table> @attr name ExamDictionary.Droid:fabSize */ public static final int FloatingActionButton_fabSize = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#pressedTranslationZ} attribute's value can be found in the {@link #FloatingActionButton} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:pressedTranslationZ */ public static final int FloatingActionButton_pressedTranslationZ = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#rippleColor} attribute's value can be found in the {@link #FloatingActionButton} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:rippleColor */ public static final int FloatingActionButton_rippleColor = 4; /** 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_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_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_weightSum android:weightSum}</code></td><td></td></tr> <tr><td><code>{@link #LinearLayoutCompat_divider ExamDictionary.Droid:divider}</code></td><td></td></tr> <tr><td><code>{@link #LinearLayoutCompat_dividerPadding ExamDictionary.Droid:dividerPadding}</code></td><td></td></tr> <tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild ExamDictionary.Droid:measureWithLargestChild}</code></td><td></td></tr> <tr><td><code>{@link #LinearLayoutCompat_showDividers ExamDictionary.Droid:showDividers}</code></td><td></td></tr> </table> @see #LinearLayoutCompat_android_baselineAligned @see #LinearLayoutCompat_android_baselineAlignedChildIndex @see #LinearLayoutCompat_android_gravity @see #LinearLayoutCompat_android_orientation @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, 0x7f01001f, 0x7f010043, 0x7f010044, 0x7f010045 }; /** <p>This symbol is the offset where the {@link android.R.attr#baselineAligned} attribute's value can be found in the {@link #LinearLayoutCompat} array. @attr name android:baselineAligned */ public static final int LinearLayoutCompat_android_baselineAligned = 2; /** <p>This symbol is the offset where the {@link android.R.attr#baselineAlignedChildIndex} attribute's value can be found in the {@link #LinearLayoutCompat} array. @attr name android:baselineAlignedChildIndex */ public static final int LinearLayoutCompat_android_baselineAlignedChildIndex = 3; /** <p>This symbol is the offset where the {@link android.R.attr#gravity} attribute's value can be found in the {@link #LinearLayoutCompat} array. @attr name android:gravity */ public static final int LinearLayoutCompat_android_gravity = 0; /** <p>This symbol is the offset where the {@link android.R.attr#orientation} attribute's value can be found in the {@link #LinearLayoutCompat} array. @attr name android:orientation */ public static final int LinearLayoutCompat_android_orientation = 1; /** <p>This symbol is the offset where the {@link android.R.attr#weightSum} attribute's value can be found in the {@link #LinearLayoutCompat} array. @attr name android:weightSum */ public static final int LinearLayoutCompat_android_weightSum = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#divider} attribute's value can be found in the {@link #LinearLayoutCompat} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:divider */ public static final int LinearLayoutCompat_divider = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dividerPadding} attribute's value can be found in the {@link #LinearLayoutCompat} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:dividerPadding */ public static final int LinearLayoutCompat_dividerPadding = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#measureWithLargestChild} attribute's value can be found in the {@link #LinearLayoutCompat} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:measureWithLargestChild */ public static final int LinearLayoutCompat_measureWithLargestChild = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#showDividers} attribute's value can be found in the {@link #LinearLayoutCompat} array. <p>Must be one or more (separated by '|') of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>none</code></td><td>0</td><td></td></tr> <tr><td><code>beginning</code></td><td>1</td><td></td></tr> <tr><td><code>middle</code></td><td>2</td><td></td></tr> <tr><td><code>end</code></td><td>4</td><td></td></tr> </table> @attr name ExamDictionary.Droid:showDividers */ public static final int LinearLayoutCompat_showDividers = 7; /** 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_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> <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_width android:layout_width}</code></td><td></td></tr> </table> @see #LinearLayoutCompat_Layout_android_layout_gravity @see #LinearLayoutCompat_Layout_android_layout_height @see #LinearLayoutCompat_Layout_android_layout_weight @see #LinearLayoutCompat_Layout_android_layout_width */ 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. @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_height} attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. @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. @attr name android:layout_weight */ public static final int LinearLayoutCompat_Layout_android_layout_weight = 3; /** <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. @attr name android:layout_width */ public static final int LinearLayoutCompat_Layout_android_layout_width = 1; /** Attributes that can be used with a ListPopupWindow. <p>Includes the following attributes:</p> <table> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Attribute</th><th>Description</th></tr> <tr><td><code>{@link #ListPopupWindow_android_dropDownHorizontalOffset android:dropDownHorizontalOffset}</code></td><td></td></tr> <tr><td><code>{@link #ListPopupWindow_android_dropDownVerticalOffset android:dropDownVerticalOffset}</code></td><td></td></tr> </table> @see #ListPopupWindow_android_dropDownHorizontalOffset @see #ListPopupWindow_android_dropDownVerticalOffset */ public static final int[] ListPopupWindow = { 0x010102ac, 0x010102ad }; /** <p>This symbol is the offset where the {@link android.R.attr#dropDownHorizontalOffset} attribute's value can be found in the {@link #ListPopupWindow} array. @attr name android:dropDownHorizontalOffset */ public static final int ListPopupWindow_android_dropDownHorizontalOffset = 0; /** <p>This symbol is the offset where the {@link android.R.attr#dropDownVerticalOffset} attribute's value can be found in the {@link #ListPopupWindow} array. @attr name android:dropDownVerticalOffset */ public static final int ListPopupWindow_android_dropDownVerticalOffset = 1; /** Attributes that can be used with a MediaRouteButton. <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 #MediaRouteButton_android_minHeight android:minHeight}</code></td><td></td></tr> <tr><td><code>{@link #MediaRouteButton_android_minWidth android:minWidth}</code></td><td></td></tr> <tr><td><code>{@link #MediaRouteButton_externalRouteEnabledDrawable ExamDictionary.Droid:externalRouteEnabledDrawable}</code></td><td></td></tr> </table> @see #MediaRouteButton_android_minHeight @see #MediaRouteButton_android_minWidth @see #MediaRouteButton_externalRouteEnabledDrawable */ public static final int[] MediaRouteButton = { 0x0101013f, 0x01010140, 0x7f010008 }; /** <p>This symbol is the offset where the {@link android.R.attr#minHeight} attribute's value can be found in the {@link #MediaRouteButton} array. @attr name android:minHeight */ public static final int MediaRouteButton_android_minHeight = 1; /** <p>This symbol is the offset where the {@link android.R.attr#minWidth} attribute's value can be found in the {@link #MediaRouteButton} array. @attr name android:minWidth */ public static final int MediaRouteButton_android_minWidth = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#externalRouteEnabledDrawable} attribute's value can be found in the {@link #MediaRouteButton} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:externalRouteEnabledDrawable */ public static final int MediaRouteButton_externalRouteEnabledDrawable = 2; /** Attributes that can be used with a MenuGroup. <p>Includes the following attributes:</p> <table> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Attribute</th><th>Description</th></tr> <tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></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_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_visible android:visible}</code></td><td></td></tr> </table> @see #MenuGroup_android_checkableBehavior @see #MenuGroup_android_enabled @see #MenuGroup_android_id @see #MenuGroup_android_menuCategory @see #MenuGroup_android_orderInCategory @see #MenuGroup_android_visible */ public static final int[] MenuGroup = { 0x0101000e, 0x010100d0, 0x01010194, 0x010101de, 0x010101df, 0x010101e0 }; /** <p>This symbol is the offset where the {@link android.R.attr#checkableBehavior} attribute's value can be found in the {@link #MenuGroup} array. @attr name android:checkableBehavior */ public static final int MenuGroup_android_checkableBehavior = 5; /** <p>This symbol is the offset where the {@link android.R.attr#enabled} attribute's value can be found in the {@link #MenuGroup} array. @attr name android:enabled */ public static final int MenuGroup_android_enabled = 0; /** <p>This symbol is the offset where the {@link android.R.attr#id} attribute's value can be found in the {@link #MenuGroup} array. @attr name android:id */ public static final int MenuGroup_android_id = 1; /** <p>This symbol is the offset where the {@link android.R.attr#menuCategory} attribute's value can be found in the {@link #MenuGroup} array. @attr name android:menuCategory */ public static final int MenuGroup_android_menuCategory = 3; /** <p>This symbol is the offset where the {@link android.R.attr#orderInCategory} attribute's value can be found in the {@link #MenuGroup} array. @attr name android:orderInCategory */ public static final int MenuGroup_android_orderInCategory = 4; /** <p>This symbol is the offset where the {@link android.R.attr#visible} attribute's value can be found in the {@link #MenuGroup} array. @attr name android:visible */ public static final int MenuGroup_android_visible = 2; /** 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_actionLayout ExamDictionary.Droid:actionLayout}</code></td><td></td></tr> <tr><td><code>{@link #MenuItem_actionProviderClass ExamDictionary.Droid:actionProviderClass}</code></td><td></td></tr> <tr><td><code>{@link #MenuItem_actionViewClass ExamDictionary.Droid:actionViewClass}</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_checkable android:checkable}</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_enabled android:enabled}</code></td><td></td></tr> <tr><td><code>{@link #MenuItem_android_icon android:icon}</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_menuCategory android:menuCategory}</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_onClick android:onClick}</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_visible android:visible}</code></td><td></td></tr> <tr><td><code>{@link #MenuItem_showAsAction ExamDictionary.Droid:showAsAction}</code></td><td></td></tr> </table> @see #MenuItem_actionLayout @see #MenuItem_actionProviderClass @see #MenuItem_actionViewClass @see #MenuItem_android_alphabeticShortcut @see #MenuItem_android_checkable @see #MenuItem_android_checked @see #MenuItem_android_enabled @see #MenuItem_android_icon @see #MenuItem_android_id @see #MenuItem_android_menuCategory @see #MenuItem_android_numericShortcut @see #MenuItem_android_onClick @see #MenuItem_android_orderInCategory @see #MenuItem_android_title @see #MenuItem_android_titleCondensed @see #MenuItem_android_visible @see #MenuItem_showAsAction */ public static final int[] MenuItem = { 0x01010002, 0x0101000e, 0x010100d0, 0x01010106, 0x01010194, 0x010101de, 0x010101df, 0x010101e1, 0x010101e2, 0x010101e3, 0x010101e4, 0x010101e5, 0x0101026f, 0x7f010046, 0x7f010047, 0x7f010048, 0x7f010049 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionLayout} attribute's value can be found in the {@link #MenuItem} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionLayout */ public static final int MenuItem_actionLayout = 14; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionProviderClass} attribute's value can be found in the {@link #MenuItem} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:actionProviderClass */ public static final int MenuItem_actionProviderClass = 16; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionViewClass} attribute's value can be found in the {@link #MenuItem} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:actionViewClass */ public static final int MenuItem_actionViewClass = 15; /** <p>This symbol is the offset where the {@link android.R.attr#alphabeticShortcut} attribute's value can be found in the {@link #MenuItem} array. @attr name android:alphabeticShortcut */ public static final int MenuItem_android_alphabeticShortcut = 9; /** <p>This symbol is the offset where the {@link android.R.attr#checkable} attribute's value can be found in the {@link #MenuItem} array. @attr name android:checkable */ public static final int MenuItem_android_checkable = 11; /** <p>This symbol is the offset where the {@link android.R.attr#checked} attribute's value can be found in the {@link #MenuItem} array. @attr name android:checked */ public static final int MenuItem_android_checked = 3; /** <p>This symbol is the offset where the {@link android.R.attr#enabled} attribute's value can be found in the {@link #MenuItem} array. @attr name android:enabled */ public static final int MenuItem_android_enabled = 1; /** <p>This symbol is the offset where the {@link android.R.attr#icon} attribute's value can be found in the {@link #MenuItem} array. @attr name android:icon */ public static final int MenuItem_android_icon = 0; /** <p>This symbol is the offset where the {@link android.R.attr#id} attribute's value can be found in the {@link #MenuItem} array. @attr name android:id */ public static final int MenuItem_android_id = 2; /** <p>This symbol is the offset where the {@link android.R.attr#menuCategory} attribute's value can be found in the {@link #MenuItem} array. @attr name android:menuCategory */ public static final int MenuItem_android_menuCategory = 5; /** <p>This symbol is the offset where the {@link android.R.attr#numericShortcut} attribute's value can be found in the {@link #MenuItem} array. @attr name android:numericShortcut */ public static final int MenuItem_android_numericShortcut = 10; /** <p>This symbol is the offset where the {@link android.R.attr#onClick} attribute's value can be found in the {@link #MenuItem} array. @attr name android:onClick */ public static final int MenuItem_android_onClick = 12; /** <p>This symbol is the offset where the {@link android.R.attr#orderInCategory} attribute's value can be found in the {@link #MenuItem} array. @attr name android:orderInCategory */ public static final int MenuItem_android_orderInCategory = 6; /** <p>This symbol is the offset where the {@link android.R.attr#title} attribute's value can be found in the {@link #MenuItem} array. @attr name android:title */ public static final int MenuItem_android_title = 7; /** <p>This symbol is the offset where the {@link android.R.attr#titleCondensed} attribute's value can be found in the {@link #MenuItem} array. @attr name android:titleCondensed */ public static final int MenuItem_android_titleCondensed = 8; /** <p>This symbol is the offset where the {@link android.R.attr#visible} attribute's value can be found in the {@link #MenuItem} array. @attr name android:visible */ public static final int MenuItem_android_visible = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#showAsAction} attribute's value can be found in the {@link #MenuItem} array. <p>Must be one or more (separated by '|') of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>never</code></td><td>0</td><td></td></tr> <tr><td><code>ifRoom</code></td><td>1</td><td></td></tr> <tr><td><code>always</code></td><td>2</td><td></td></tr> <tr><td><code>withText</code></td><td>4</td><td></td></tr> <tr><td><code>collapseActionView</code></td><td>8</td><td></td></tr> </table> @attr name ExamDictionary.Droid:showAsAction */ public static final int MenuItem_showAsAction = 13; /** 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_headerBackground android:headerBackground}</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_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_android_itemTextAppearance android:itemTextAppearance}</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_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr> <tr><td><code>{@link #MenuView_preserveIconSpacing ExamDictionary.Droid:preserveIconSpacing}</code></td><td></td></tr> </table> @see #MenuView_android_headerBackground @see #MenuView_android_horizontalDivider @see #MenuView_android_itemBackground @see #MenuView_android_itemIconDisabledAlpha @see #MenuView_android_itemTextAppearance @see #MenuView_android_verticalDivider @see #MenuView_android_windowAnimationStyle @see #MenuView_preserveIconSpacing */ public static final int[] MenuView = { 0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e, 0x0101012f, 0x01010130, 0x01010131, 0x7f01004a }; /** <p>This symbol is the offset where the {@link android.R.attr#headerBackground} attribute's value can be found in the {@link #MenuView} array. @attr name android:headerBackground */ public static final int MenuView_android_headerBackground = 4; /** <p>This symbol is the offset where the {@link android.R.attr#horizontalDivider} attribute's value can be found in the {@link #MenuView} array. @attr name android:horizontalDivider */ public static final int MenuView_android_horizontalDivider = 2; /** <p>This symbol is the offset where the {@link android.R.attr#itemBackground} attribute's value can be found in the {@link #MenuView} array. @attr name android:itemBackground */ public static final int MenuView_android_itemBackground = 5; /** <p>This symbol is the offset where the {@link android.R.attr#itemIconDisabledAlpha} attribute's value can be found in the {@link #MenuView} array. @attr name android:itemIconDisabledAlpha */ public static final int MenuView_android_itemIconDisabledAlpha = 6; /** <p>This symbol is the offset where the {@link android.R.attr#itemTextAppearance} attribute's value can be found in the {@link #MenuView} array. @attr name android:itemTextAppearance */ public static final int MenuView_android_itemTextAppearance = 1; /** <p>This symbol is the offset where the {@link android.R.attr#verticalDivider} attribute's value can be found in the {@link #MenuView} array. @attr name android:verticalDivider */ public static final int MenuView_android_verticalDivider = 3; /** <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle} attribute's value can be found in the {@link #MenuView} array. @attr name android:windowAnimationStyle */ public static final int MenuView_android_windowAnimationStyle = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#preserveIconSpacing} attribute's value can be found in the {@link #MenuView} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:preserveIconSpacing */ public static final int MenuView_preserveIconSpacing = 7; /** 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 ExamDictionary.Droid:elevation}</code></td><td></td></tr> <tr><td><code>{@link #NavigationView_headerLayout ExamDictionary.Droid:headerLayout}</code></td><td></td></tr> <tr><td><code>{@link #NavigationView_itemBackground ExamDictionary.Droid:itemBackground}</code></td><td></td></tr> <tr><td><code>{@link #NavigationView_itemIconTint ExamDictionary.Droid:itemIconTint}</code></td><td></td></tr> <tr><td><code>{@link #NavigationView_itemTextAppearance ExamDictionary.Droid:itemTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #NavigationView_itemTextColor ExamDictionary.Droid:itemTextColor}</code></td><td></td></tr> <tr><td><code>{@link #NavigationView_menu ExamDictionary.Droid:menu}</code></td><td></td></tr> </table> @see #NavigationView_android_background @see #NavigationView_android_fitsSystemWindows @see #NavigationView_android_maxWidth @see #NavigationView_elevation @see #NavigationView_headerLayout @see #NavigationView_itemBackground @see #NavigationView_itemIconTint @see #NavigationView_itemTextAppearance @see #NavigationView_itemTextColor @see #NavigationView_menu */ public static final int[] NavigationView = { 0x010100d4, 0x010100dd, 0x0101011f, 0x7f01002e, 0x7f0100fb, 0x7f0100fc, 0x7f0100fd, 0x7f0100fe, 0x7f0100ff, 0x7f010100 }; /** <p>This symbol is the offset where the {@link android.R.attr#background} attribute's value can be found in the {@link #NavigationView} array. @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. @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. @attr name android:maxWidth */ public static final int NavigationView_android_maxWidth = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#elevation} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:elevation */ public static final int NavigationView_elevation = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#headerLayout} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:headerLayout */ public static final int NavigationView_headerLayout = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#itemBackground} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:itemBackground */ public static final int NavigationView_itemBackground = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#itemIconTint} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:itemIconTint */ public static final int NavigationView_itemIconTint = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#itemTextAppearance} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:itemTextAppearance */ public static final int NavigationView_itemTextAppearance = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#itemTextColor} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:itemTextColor */ public static final int NavigationView_itemTextColor = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#menu} attribute's value can be found in the {@link #NavigationView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:menu */ public static final int NavigationView_menu = 4; /** 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_overlapAnchor ExamDictionary.Droid:overlapAnchor}</code></td><td></td></tr> </table> @see #PopupWindow_android_popupBackground @see #PopupWindow_overlapAnchor */ public static final int[] PopupWindow = { 0x01010176, 0x7f01004b }; /** <p>This symbol is the offset where the {@link android.R.attr#popupBackground} attribute's value can be found in the {@link #PopupWindow} array. @attr name android:popupBackground */ public static final int PopupWindow_android_popupBackground = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#overlapAnchor} attribute's value can be found in the {@link #PopupWindow} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:overlapAnchor */ public static final int PopupWindow_overlapAnchor = 1; /** 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 ExamDictionary.Droid:state_above_anchor}</code></td><td></td></tr> </table> @see #PopupWindowBackgroundState_state_above_anchor */ public static final int[] PopupWindowBackgroundState = { 0x7f01004c }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#state_above_anchor} attribute's value can be found in the {@link #PopupWindowBackgroundState} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:state_above_anchor */ public static final int PopupWindowBackgroundState_state_above_anchor = 0; /** 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 ExamDictionary.Droid:insetForeground}</code></td><td></td></tr> </table> @see #ScrimInsetsFrameLayout_insetForeground */ public static final int[] ScrimInsetsFrameLayout = { 0x7f010101 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.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 to 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 ExamDictionary.Droid:insetForeground */ public static final int ScrimInsetsFrameLayout_insetForeground = 0; /** Attributes that can be used with a ScrollingViewBehavior_Params. <p>Includes the following attributes:</p> <table> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Attribute</th><th>Description</th></tr> <tr><td><code>{@link #ScrollingViewBehavior_Params_behavior_overlapTop ExamDictionary.Droid:behavior_overlapTop}</code></td><td></td></tr> </table> @see #ScrollingViewBehavior_Params_behavior_overlapTop */ public static final int[] ScrollingViewBehavior_Params = { 0x7f010102 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#behavior_overlapTop} attribute's value can be found in the {@link #ScrollingViewBehavior_Params} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:behavior_overlapTop */ public static final int ScrollingViewBehavior_Params_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_imeOptions android:imeOptions}</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_maxWidth android:maxWidth}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_closeIcon ExamDictionary.Droid:closeIcon}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_commitIcon ExamDictionary.Droid:commitIcon}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_defaultQueryHint ExamDictionary.Droid:defaultQueryHint}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_goIcon ExamDictionary.Droid:goIcon}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_iconifiedByDefault ExamDictionary.Droid:iconifiedByDefault}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_layout ExamDictionary.Droid:layout}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_queryBackground ExamDictionary.Droid:queryBackground}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_queryHint ExamDictionary.Droid:queryHint}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_searchHintIcon ExamDictionary.Droid:searchHintIcon}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_searchIcon ExamDictionary.Droid:searchIcon}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_submitBackground ExamDictionary.Droid:submitBackground}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_suggestionRowLayout ExamDictionary.Droid:suggestionRowLayout}</code></td><td></td></tr> <tr><td><code>{@link #SearchView_voiceIcon ExamDictionary.Droid:voiceIcon}</code></td><td></td></tr> </table> @see #SearchView_android_focusable @see #SearchView_android_imeOptions @see #SearchView_android_inputType @see #SearchView_android_maxWidth @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, 0x7f01004d, 0x7f01004e, 0x7f01004f, 0x7f010050, 0x7f010051, 0x7f010052, 0x7f010053, 0x7f010054, 0x7f010055, 0x7f010056, 0x7f010057, 0x7f010058, 0x7f010059 }; /** <p>This symbol is the offset where the {@link android.R.attr#focusable} attribute's value can be found in the {@link #SearchView} array. @attr name android:focusable */ public static final int SearchView_android_focusable = 0; /** <p>This symbol is the offset where the {@link android.R.attr#imeOptions} attribute's value can be found in the {@link #SearchView} array. @attr name android:imeOptions */ public static final int SearchView_android_imeOptions = 3; /** <p>This symbol is the offset where the {@link android.R.attr#inputType} attribute's value can be found in the {@link #SearchView} array. @attr name android:inputType */ public static final int SearchView_android_inputType = 2; /** <p>This symbol is the offset where the {@link android.R.attr#maxWidth} attribute's value can be found in the {@link #SearchView} array. @attr name android:maxWidth */ public static final int SearchView_android_maxWidth = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#closeIcon} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:closeIcon */ public static final int SearchView_closeIcon = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#commitIcon} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:commitIcon */ public static final int SearchView_commitIcon = 13; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#defaultQueryHint} attribute's value can be found in the {@link #SearchView} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:defaultQueryHint */ public static final int SearchView_defaultQueryHint = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#goIcon} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:goIcon */ public static final int SearchView_goIcon = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#iconifiedByDefault} attribute's value can be found in the {@link #SearchView} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:iconifiedByDefault */ public static final int SearchView_iconifiedByDefault = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#layout} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:layout */ public static final int SearchView_layout = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#queryBackground} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:queryBackground */ public static final int SearchView_queryBackground = 15; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#queryHint} attribute's value can be found in the {@link #SearchView} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:queryHint */ public static final int SearchView_queryHint = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#searchHintIcon} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:searchHintIcon */ public static final int SearchView_searchHintIcon = 11; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#searchIcon} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:searchIcon */ public static final int SearchView_searchIcon = 10; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#submitBackground} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:submitBackground */ public static final int SearchView_submitBackground = 16; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#suggestionRowLayout} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:suggestionRowLayout */ public static final int SearchView_suggestionRowLayout = 14; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#voiceIcon} attribute's value can be found in the {@link #SearchView} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:voiceIcon */ public static final int SearchView_voiceIcon = 12; /** 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 ExamDictionary.Droid:elevation}</code></td><td></td></tr> <tr><td><code>{@link #SnackbarLayout_maxActionInlineWidth ExamDictionary.Droid:maxActionInlineWidth}</code></td><td></td></tr> </table> @see #SnackbarLayout_android_maxWidth @see #SnackbarLayout_elevation @see #SnackbarLayout_maxActionInlineWidth */ public static final int[] SnackbarLayout = { 0x0101011f, 0x7f01002e, 0x7f010103 }; /** <p>This symbol is the offset where the {@link android.R.attr#maxWidth} attribute's value can be found in the {@link #SnackbarLayout} array. @attr name android:maxWidth */ public static final int SnackbarLayout_android_maxWidth = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#elevation} attribute's value can be found in the {@link #SnackbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:elevation */ public static final int SnackbarLayout_elevation = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#maxActionInlineWidth} attribute's value can be found in the {@link #SnackbarLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid: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_dropDownWidth android:dropDownWidth}</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_popupTheme ExamDictionary.Droid:popupTheme}</code></td><td></td></tr> </table> @see #Spinner_android_dropDownWidth @see #Spinner_android_popupBackground @see #Spinner_android_prompt @see #Spinner_popupTheme */ public static final int[] Spinner = { 0x01010176, 0x0101017b, 0x01010262, 0x7f01002f }; /** <p>This symbol is the offset where the {@link android.R.attr#dropDownWidth} attribute's value can be found in the {@link #Spinner} array. @attr name android:dropDownWidth */ public static final int Spinner_android_dropDownWidth = 2; /** <p>This symbol is the offset where the {@link android.R.attr#popupBackground} attribute's value can be found in the {@link #Spinner} array. @attr name android:popupBackground */ public static final int Spinner_android_popupBackground = 0; /** <p>This symbol is the offset where the {@link android.R.attr#prompt} attribute's value can be found in the {@link #Spinner} array. @attr name android:prompt */ public static final int Spinner_android_prompt = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#popupTheme} attribute's value can be found in the {@link #Spinner} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:popupTheme */ public static final int Spinner_popupTheme = 3; /** 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_textOff android:textOff}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_android_textOn android:textOn}</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 ExamDictionary.Droid:showText}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_splitTrack ExamDictionary.Droid:splitTrack}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_switchMinWidth ExamDictionary.Droid:switchMinWidth}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_switchPadding ExamDictionary.Droid:switchPadding}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_switchTextAppearance ExamDictionary.Droid:switchTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_thumbTextPadding ExamDictionary.Droid:thumbTextPadding}</code></td><td></td></tr> <tr><td><code>{@link #SwitchCompat_track ExamDictionary.Droid:track}</code></td><td></td></tr> </table> @see #SwitchCompat_android_textOff @see #SwitchCompat_android_textOn @see #SwitchCompat_android_thumb @see #SwitchCompat_showText @see #SwitchCompat_splitTrack @see #SwitchCompat_switchMinWidth @see #SwitchCompat_switchPadding @see #SwitchCompat_switchTextAppearance @see #SwitchCompat_thumbTextPadding @see #SwitchCompat_track */ public static final int[] SwitchCompat = { 0x01010124, 0x01010125, 0x01010142, 0x7f01005a, 0x7f01005b, 0x7f01005c, 0x7f01005d, 0x7f01005e, 0x7f01005f, 0x7f010060 }; /** <p>This symbol is the offset where the {@link android.R.attr#textOff} attribute's value can be found in the {@link #SwitchCompat} array. @attr name android:textOff */ public static final int SwitchCompat_android_textOff = 1; /** <p>This symbol is the offset where the {@link android.R.attr#textOn} attribute's value can be found in the {@link #SwitchCompat} array. @attr name android:textOn */ public static final int SwitchCompat_android_textOn = 0; /** <p>This symbol is the offset where the {@link android.R.attr#thumb} attribute's value can be found in the {@link #SwitchCompat} array. @attr name android:thumb */ public static final int SwitchCompat_android_thumb = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#showText} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:showText */ public static final int SwitchCompat_showText = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#splitTrack} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:splitTrack */ public static final int SwitchCompat_splitTrack = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#switchMinWidth} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:switchMinWidth */ public static final int SwitchCompat_switchMinWidth = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#switchPadding} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:switchPadding */ public static final int SwitchCompat_switchPadding = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#switchTextAppearance} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:switchTextAppearance */ public static final int SwitchCompat_switchTextAppearance = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#thumbTextPadding} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:thumbTextPadding */ public static final int SwitchCompat_thumbTextPadding = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#track} attribute's value can be found in the {@link #SwitchCompat} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:track */ public static final int SwitchCompat_track = 3; /** 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 ExamDictionary.Droid:tabBackground}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabContentStart ExamDictionary.Droid:tabContentStart}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabGravity ExamDictionary.Droid:tabGravity}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabIndicatorColor ExamDictionary.Droid:tabIndicatorColor}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabIndicatorHeight ExamDictionary.Droid:tabIndicatorHeight}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabMaxWidth ExamDictionary.Droid:tabMaxWidth}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabMinWidth ExamDictionary.Droid:tabMinWidth}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabMode ExamDictionary.Droid:tabMode}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabPadding ExamDictionary.Droid:tabPadding}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabPaddingBottom ExamDictionary.Droid:tabPaddingBottom}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabPaddingEnd ExamDictionary.Droid:tabPaddingEnd}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabPaddingStart ExamDictionary.Droid:tabPaddingStart}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabPaddingTop ExamDictionary.Droid:tabPaddingTop}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabSelectedTextColor ExamDictionary.Droid:tabSelectedTextColor}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabTextAppearance ExamDictionary.Droid:tabTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #TabLayout_tabTextColor ExamDictionary.Droid:tabTextColor}</code></td><td></td></tr> </table> @see #TabLayout_tabBackground @see #TabLayout_tabContentStart @see #TabLayout_tabGravity @see #TabLayout_tabIndicatorColor @see #TabLayout_tabIndicatorHeight @see #TabLayout_tabMaxWidth @see #TabLayout_tabMinWidth @see #TabLayout_tabMode @see #TabLayout_tabPadding @see #TabLayout_tabPaddingBottom @see #TabLayout_tabPaddingEnd @see #TabLayout_tabPaddingStart @see #TabLayout_tabPaddingTop @see #TabLayout_tabSelectedTextColor @see #TabLayout_tabTextAppearance @see #TabLayout_tabTextColor */ public static final int[] TabLayout = { 0x7f010104, 0x7f010105, 0x7f010106, 0x7f010107, 0x7f010108, 0x7f010109, 0x7f01010a, 0x7f01010b, 0x7f01010c, 0x7f01010d, 0x7f01010e, 0x7f01010f, 0x7f010110, 0x7f010111, 0x7f010112, 0x7f010113 }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabBackground} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:tabBackground */ public static final int TabLayout_tabBackground = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabContentStart} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabContentStart */ public static final int TabLayout_tabContentStart = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.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><code>fill</code></td><td>0</td><td></td></tr> <tr><td><code>center</code></td><td>1</td><td></td></tr> </table> @attr name ExamDictionary.Droid:tabGravity */ public static final int TabLayout_tabGravity = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabIndicatorColor} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabIndicatorColor */ public static final int TabLayout_tabIndicatorColor = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabIndicatorHeight} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabIndicatorHeight */ public static final int TabLayout_tabIndicatorHeight = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabMaxWidth} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabMaxWidth */ public static final int TabLayout_tabMaxWidth = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabMinWidth} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabMinWidth */ public static final int TabLayout_tabMinWidth = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.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><code>scrollable</code></td><td>0</td><td></td></tr> <tr><td><code>fixed</code></td><td>1</td><td></td></tr> </table> @attr name ExamDictionary.Droid:tabMode */ public static final int TabLayout_tabMode = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabPadding} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabPadding */ public static final int TabLayout_tabPadding = 15; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabPaddingBottom} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabPaddingBottom */ public static final int TabLayout_tabPaddingBottom = 14; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabPaddingEnd} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabPaddingEnd */ public static final int TabLayout_tabPaddingEnd = 13; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabPaddingStart} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabPaddingStart */ public static final int TabLayout_tabPaddingStart = 11; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabPaddingTop} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabPaddingTop */ public static final int TabLayout_tabPaddingTop = 12; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabSelectedTextColor} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabSelectedTextColor */ public static final int TabLayout_tabSelectedTextColor = 10; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabTextAppearance} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:tabTextAppearance */ public static final int TabLayout_tabTextAppearance = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#tabTextColor} attribute's value can be found in the {@link #TabLayout} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:tabTextColor */ public static final int TabLayout_tabTextColor = 9; /** 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_textColor android:textColor}</code></td><td></td></tr> <tr><td><code>{@link #TextAppearance_android_textSize android:textSize}</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_typeface android:typeface}</code></td><td></td></tr> <tr><td><code>{@link #TextAppearance_textAllCaps ExamDictionary.Droid:textAllCaps}</code></td><td></td></tr> </table> @see #TextAppearance_android_textColor @see #TextAppearance_android_textSize @see #TextAppearance_android_textStyle @see #TextAppearance_android_typeface @see #TextAppearance_textAllCaps */ public static final int[] TextAppearance = { 0x01010095, 0x01010096, 0x01010097, 0x01010098, 0x7f010038 }; /** <p>This symbol is the offset where the {@link android.R.attr#textColor} attribute's value can be found in the {@link #TextAppearance} array. @attr name android:textColor */ public static final int TextAppearance_android_textColor = 3; /** <p>This symbol is the offset where the {@link android.R.attr#textSize} attribute's value can be found in the {@link #TextAppearance} array. @attr name android:textSize */ public static final int TextAppearance_android_textSize = 0; /** <p>This symbol is the offset where the {@link android.R.attr#textStyle} attribute's value can be found in the {@link #TextAppearance} array. @attr name android:textStyle */ public static final int TextAppearance_android_textStyle = 2; /** <p>This symbol is the offset where the {@link android.R.attr#typeface} attribute's value can be found in the {@link #TextAppearance} array. @attr name android:typeface */ public static final int TextAppearance_android_typeface = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAllCaps} attribute's value can be found in the {@link #TextAppearance} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". <p>May be a boolean value, either "<code>true</code>" or "<code>false</code>". @attr name ExamDictionary.Droid:textAllCaps */ public static final int TextAppearance_textAllCaps = 4; /** 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_hint android:hint}</code></td><td></td></tr> <tr><td><code>{@link #TextInputLayout_android_textColorHint android:textColorHint}</code></td><td></td></tr> <tr><td><code>{@link #TextInputLayout_errorEnabled ExamDictionary.Droid:errorEnabled}</code></td><td></td></tr> <tr><td><code>{@link #TextInputLayout_errorTextAppearance ExamDictionary.Droid:errorTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #TextInputLayout_hintAnimationEnabled ExamDictionary.Droid:hintAnimationEnabled}</code></td><td></td></tr> <tr><td><code>{@link #TextInputLayout_hintTextAppearance ExamDictionary.Droid:hintTextAppearance}</code></td><td></td></tr> </table> @see #TextInputLayout_android_hint @see #TextInputLayout_android_textColorHint @see #TextInputLayout_errorEnabled @see #TextInputLayout_errorTextAppearance @see #TextInputLayout_hintAnimationEnabled @see #TextInputLayout_hintTextAppearance */ public static final int[] TextInputLayout = { 0x0101009a, 0x01010150, 0x7f010114, 0x7f010115, 0x7f010116, 0x7f010117 }; /** <p>This symbol is the offset where the {@link android.R.attr#hint} attribute's value can be found in the {@link #TextInputLayout} array. @attr name android:hint */ public static final int TextInputLayout_android_hint = 1; /** <p>This symbol is the offset where the {@link android.R.attr#textColorHint} attribute's value can be found in the {@link #TextInputLayout} array. @attr name android:textColorHint */ public static final int TextInputLayout_android_textColorHint = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#errorEnabled} attribute's value can be found in the {@link #TextInputLayout} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:errorEnabled */ public static final int TextInputLayout_errorEnabled = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#errorTextAppearance} attribute's value can be found in the {@link #TextInputLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:errorTextAppearance */ public static final int TextInputLayout_errorTextAppearance = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#hintAnimationEnabled} attribute's value can be found in the {@link #TextInputLayout} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:hintAnimationEnabled */ public static final int TextInputLayout_hintAnimationEnabled = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#hintTextAppearance} attribute's value can be found in the {@link #TextInputLayout} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:hintTextAppearance */ public static final int TextInputLayout_hintTextAppearance = 2; /** Attributes that can be used with a Theme. <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 #Theme_actionBarDivider ExamDictionary.Droid:actionBarDivider}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarItemBackground ExamDictionary.Droid:actionBarItemBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarPopupTheme ExamDictionary.Droid:actionBarPopupTheme}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarSize ExamDictionary.Droid:actionBarSize}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarSplitStyle ExamDictionary.Droid:actionBarSplitStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarStyle ExamDictionary.Droid:actionBarStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarTabBarStyle ExamDictionary.Droid:actionBarTabBarStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarTabStyle ExamDictionary.Droid:actionBarTabStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarTabTextStyle ExamDictionary.Droid:actionBarTabTextStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarTheme ExamDictionary.Droid:actionBarTheme}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionBarWidgetTheme ExamDictionary.Droid:actionBarWidgetTheme}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionButtonStyle ExamDictionary.Droid:actionButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionDropDownStyle ExamDictionary.Droid:actionDropDownStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionMenuTextAppearance ExamDictionary.Droid:actionMenuTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionMenuTextColor ExamDictionary.Droid:actionMenuTextColor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeBackground ExamDictionary.Droid:actionModeBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeCloseButtonStyle ExamDictionary.Droid:actionModeCloseButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeCloseDrawable ExamDictionary.Droid:actionModeCloseDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeCopyDrawable ExamDictionary.Droid:actionModeCopyDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeCutDrawable ExamDictionary.Droid:actionModeCutDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeFindDrawable ExamDictionary.Droid:actionModeFindDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModePasteDrawable ExamDictionary.Droid:actionModePasteDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModePopupWindowStyle ExamDictionary.Droid:actionModePopupWindowStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeSelectAllDrawable ExamDictionary.Droid:actionModeSelectAllDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeShareDrawable ExamDictionary.Droid:actionModeShareDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeSplitBackground ExamDictionary.Droid:actionModeSplitBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeStyle ExamDictionary.Droid:actionModeStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionModeWebSearchDrawable ExamDictionary.Droid:actionModeWebSearchDrawable}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionOverflowButtonStyle ExamDictionary.Droid:actionOverflowButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_actionOverflowMenuStyle ExamDictionary.Droid:actionOverflowMenuStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_activityChooserViewStyle ExamDictionary.Droid:activityChooserViewStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_alertDialogButtonGroupStyle ExamDictionary.Droid:alertDialogButtonGroupStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_alertDialogCenterButtons ExamDictionary.Droid:alertDialogCenterButtons}</code></td><td></td></tr> <tr><td><code>{@link #Theme_alertDialogStyle ExamDictionary.Droid:alertDialogStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_alertDialogTheme ExamDictionary.Droid:alertDialogTheme}</code></td><td></td></tr> <tr><td><code>{@link #Theme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr> <tr><td><code>{@link #Theme_autoCompleteTextViewStyle ExamDictionary.Droid:autoCompleteTextViewStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_borderlessButtonStyle ExamDictionary.Droid:borderlessButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonBarButtonStyle ExamDictionary.Droid:buttonBarButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonBarNegativeButtonStyle ExamDictionary.Droid:buttonBarNegativeButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonBarNeutralButtonStyle ExamDictionary.Droid:buttonBarNeutralButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonBarPositiveButtonStyle ExamDictionary.Droid:buttonBarPositiveButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonBarStyle ExamDictionary.Droid:buttonBarStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonStyle ExamDictionary.Droid:buttonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_buttonStyleSmall ExamDictionary.Droid:buttonStyleSmall}</code></td><td></td></tr> <tr><td><code>{@link #Theme_checkboxStyle ExamDictionary.Droid:checkboxStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_checkedTextViewStyle ExamDictionary.Droid:checkedTextViewStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorAccent ExamDictionary.Droid:colorAccent}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorButtonNormal ExamDictionary.Droid:colorButtonNormal}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorControlActivated ExamDictionary.Droid:colorControlActivated}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorControlHighlight ExamDictionary.Droid:colorControlHighlight}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorControlNormal ExamDictionary.Droid:colorControlNormal}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorPrimary ExamDictionary.Droid:colorPrimary}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorPrimaryDark ExamDictionary.Droid:colorPrimaryDark}</code></td><td></td></tr> <tr><td><code>{@link #Theme_colorSwitchThumbNormal ExamDictionary.Droid:colorSwitchThumbNormal}</code></td><td></td></tr> <tr><td><code>{@link #Theme_controlBackground ExamDictionary.Droid:controlBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_dialogPreferredPadding ExamDictionary.Droid:dialogPreferredPadding}</code></td><td></td></tr> <tr><td><code>{@link #Theme_dialogTheme ExamDictionary.Droid:dialogTheme}</code></td><td></td></tr> <tr><td><code>{@link #Theme_dividerHorizontal ExamDictionary.Droid:dividerHorizontal}</code></td><td></td></tr> <tr><td><code>{@link #Theme_dividerVertical ExamDictionary.Droid:dividerVertical}</code></td><td></td></tr> <tr><td><code>{@link #Theme_dropDownListViewStyle ExamDictionary.Droid:dropDownListViewStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_dropdownListPreferredItemHeight ExamDictionary.Droid:dropdownListPreferredItemHeight}</code></td><td></td></tr> <tr><td><code>{@link #Theme_editTextBackground ExamDictionary.Droid:editTextBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_editTextColor ExamDictionary.Droid:editTextColor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_editTextStyle ExamDictionary.Droid:editTextStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_homeAsUpIndicator ExamDictionary.Droid:homeAsUpIndicator}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listChoiceBackgroundIndicator ExamDictionary.Droid:listChoiceBackgroundIndicator}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listDividerAlertDialog ExamDictionary.Droid:listDividerAlertDialog}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listPopupWindowStyle ExamDictionary.Droid:listPopupWindowStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listPreferredItemHeight ExamDictionary.Droid:listPreferredItemHeight}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listPreferredItemHeightLarge ExamDictionary.Droid:listPreferredItemHeightLarge}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listPreferredItemHeightSmall ExamDictionary.Droid:listPreferredItemHeightSmall}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listPreferredItemPaddingLeft ExamDictionary.Droid:listPreferredItemPaddingLeft}</code></td><td></td></tr> <tr><td><code>{@link #Theme_listPreferredItemPaddingRight ExamDictionary.Droid:listPreferredItemPaddingRight}</code></td><td></td></tr> <tr><td><code>{@link #Theme_panelBackground ExamDictionary.Droid:panelBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_panelMenuListTheme ExamDictionary.Droid:panelMenuListTheme}</code></td><td></td></tr> <tr><td><code>{@link #Theme_panelMenuListWidth ExamDictionary.Droid:panelMenuListWidth}</code></td><td></td></tr> <tr><td><code>{@link #Theme_popupMenuStyle ExamDictionary.Droid:popupMenuStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_popupWindowStyle ExamDictionary.Droid:popupWindowStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_radioButtonStyle ExamDictionary.Droid:radioButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_ratingBarStyle ExamDictionary.Droid:ratingBarStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_searchViewStyle ExamDictionary.Droid:searchViewStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_selectableItemBackground ExamDictionary.Droid:selectableItemBackground}</code></td><td></td></tr> <tr><td><code>{@link #Theme_selectableItemBackgroundBorderless ExamDictionary.Droid:selectableItemBackgroundBorderless}</code></td><td></td></tr> <tr><td><code>{@link #Theme_spinnerDropDownItemStyle ExamDictionary.Droid:spinnerDropDownItemStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_spinnerStyle ExamDictionary.Droid:spinnerStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_switchStyle ExamDictionary.Droid:switchStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textAppearanceLargePopupMenu ExamDictionary.Droid:textAppearanceLargePopupMenu}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textAppearanceListItem ExamDictionary.Droid:textAppearanceListItem}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textAppearanceListItemSmall ExamDictionary.Droid:textAppearanceListItemSmall}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textAppearanceSearchResultSubtitle ExamDictionary.Droid:textAppearanceSearchResultSubtitle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textAppearanceSearchResultTitle ExamDictionary.Droid:textAppearanceSearchResultTitle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textAppearanceSmallPopupMenu ExamDictionary.Droid:textAppearanceSmallPopupMenu}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textColorAlertDialogListItem ExamDictionary.Droid:textColorAlertDialogListItem}</code></td><td></td></tr> <tr><td><code>{@link #Theme_textColorSearchUrl ExamDictionary.Droid:textColorSearchUrl}</code></td><td></td></tr> <tr><td><code>{@link #Theme_toolbarNavigationButtonStyle ExamDictionary.Droid:toolbarNavigationButtonStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_toolbarStyle ExamDictionary.Droid:toolbarStyle}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowActionBar ExamDictionary.Droid:windowActionBar}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowActionBarOverlay ExamDictionary.Droid:windowActionBarOverlay}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowActionModeOverlay ExamDictionary.Droid:windowActionModeOverlay}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowFixedHeightMajor ExamDictionary.Droid:windowFixedHeightMajor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowFixedHeightMinor ExamDictionary.Droid:windowFixedHeightMinor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowFixedWidthMajor ExamDictionary.Droid:windowFixedWidthMajor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowFixedWidthMinor ExamDictionary.Droid:windowFixedWidthMinor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowMinWidthMajor ExamDictionary.Droid:windowMinWidthMajor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowMinWidthMinor ExamDictionary.Droid:windowMinWidthMinor}</code></td><td></td></tr> <tr><td><code>{@link #Theme_windowNoTitle ExamDictionary.Droid:windowNoTitle}</code></td><td></td></tr> </table> @see #Theme_actionBarDivider @see #Theme_actionBarItemBackground @see #Theme_actionBarPopupTheme @see #Theme_actionBarSize @see #Theme_actionBarSplitStyle @see #Theme_actionBarStyle @see #Theme_actionBarTabBarStyle @see #Theme_actionBarTabStyle @see #Theme_actionBarTabTextStyle @see #Theme_actionBarTheme @see #Theme_actionBarWidgetTheme @see #Theme_actionButtonStyle @see #Theme_actionDropDownStyle @see #Theme_actionMenuTextAppearance @see #Theme_actionMenuTextColor @see #Theme_actionModeBackground @see #Theme_actionModeCloseButtonStyle @see #Theme_actionModeCloseDrawable @see #Theme_actionModeCopyDrawable @see #Theme_actionModeCutDrawable @see #Theme_actionModeFindDrawable @see #Theme_actionModePasteDrawable @see #Theme_actionModePopupWindowStyle @see #Theme_actionModeSelectAllDrawable @see #Theme_actionModeShareDrawable @see #Theme_actionModeSplitBackground @see #Theme_actionModeStyle @see #Theme_actionModeWebSearchDrawable @see #Theme_actionOverflowButtonStyle @see #Theme_actionOverflowMenuStyle @see #Theme_activityChooserViewStyle @see #Theme_alertDialogButtonGroupStyle @see #Theme_alertDialogCenterButtons @see #Theme_alertDialogStyle @see #Theme_alertDialogTheme @see #Theme_android_windowAnimationStyle @see #Theme_android_windowIsFloating @see #Theme_autoCompleteTextViewStyle @see #Theme_borderlessButtonStyle @see #Theme_buttonBarButtonStyle @see #Theme_buttonBarNegativeButtonStyle @see #Theme_buttonBarNeutralButtonStyle @see #Theme_buttonBarPositiveButtonStyle @see #Theme_buttonBarStyle @see #Theme_buttonStyle @see #Theme_buttonStyleSmall @see #Theme_checkboxStyle @see #Theme_checkedTextViewStyle @see #Theme_colorAccent @see #Theme_colorButtonNormal @see #Theme_colorControlActivated @see #Theme_colorControlHighlight @see #Theme_colorControlNormal @see #Theme_colorPrimary @see #Theme_colorPrimaryDark @see #Theme_colorSwitchThumbNormal @see #Theme_controlBackground @see #Theme_dialogPreferredPadding @see #Theme_dialogTheme @see #Theme_dividerHorizontal @see #Theme_dividerVertical @see #Theme_dropDownListViewStyle @see #Theme_dropdownListPreferredItemHeight @see #Theme_editTextBackground @see #Theme_editTextColor @see #Theme_editTextStyle @see #Theme_homeAsUpIndicator @see #Theme_listChoiceBackgroundIndicator @see #Theme_listDividerAlertDialog @see #Theme_listPopupWindowStyle @see #Theme_listPreferredItemHeight @see #Theme_listPreferredItemHeightLarge @see #Theme_listPreferredItemHeightSmall @see #Theme_listPreferredItemPaddingLeft @see #Theme_listPreferredItemPaddingRight @see #Theme_panelBackground @see #Theme_panelMenuListTheme @see #Theme_panelMenuListWidth @see #Theme_popupMenuStyle @see #Theme_popupWindowStyle @see #Theme_radioButtonStyle @see #Theme_ratingBarStyle @see #Theme_searchViewStyle @see #Theme_selectableItemBackground @see #Theme_selectableItemBackgroundBorderless @see #Theme_spinnerDropDownItemStyle @see #Theme_spinnerStyle @see #Theme_switchStyle @see #Theme_textAppearanceLargePopupMenu @see #Theme_textAppearanceListItem @see #Theme_textAppearanceListItemSmall @see #Theme_textAppearanceSearchResultSubtitle @see #Theme_textAppearanceSearchResultTitle @see #Theme_textAppearanceSmallPopupMenu @see #Theme_textColorAlertDialogListItem @see #Theme_textColorSearchUrl @see #Theme_toolbarNavigationButtonStyle @see #Theme_toolbarStyle @see #Theme_windowActionBar @see #Theme_windowActionBarOverlay @see #Theme_windowActionModeOverlay @see #Theme_windowFixedHeightMajor @see #Theme_windowFixedHeightMinor @see #Theme_windowFixedWidthMajor @see #Theme_windowFixedWidthMinor @see #Theme_windowMinWidthMajor @see #Theme_windowMinWidthMinor @see #Theme_windowNoTitle */ public static final int[] Theme = { 0x01010057, 0x010100ae, 0x7f010061, 0x7f010062, 0x7f010063, 0x7f010064, 0x7f010065, 0x7f010066, 0x7f010067, 0x7f010068, 0x7f010069, 0x7f01006a, 0x7f01006b, 0x7f01006c, 0x7f01006d, 0x7f01006e, 0x7f01006f, 0x7f010070, 0x7f010071, 0x7f010072, 0x7f010073, 0x7f010074, 0x7f010075, 0x7f010076, 0x7f010077, 0x7f010078, 0x7f010079, 0x7f01007a, 0x7f01007b, 0x7f01007c, 0x7f01007d, 0x7f01007e, 0x7f01007f, 0x7f010080, 0x7f010081, 0x7f010082, 0x7f010083, 0x7f010084, 0x7f010085, 0x7f010086, 0x7f010087, 0x7f010088, 0x7f010089, 0x7f01008a, 0x7f01008b, 0x7f01008c, 0x7f01008d, 0x7f01008e, 0x7f01008f, 0x7f010090, 0x7f010091, 0x7f010092, 0x7f010093, 0x7f010094, 0x7f010095, 0x7f010096, 0x7f010097, 0x7f010098, 0x7f010099, 0x7f01009a, 0x7f01009b, 0x7f01009c, 0x7f01009d, 0x7f01009e, 0x7f01009f, 0x7f0100a0, 0x7f0100a1, 0x7f0100a2, 0x7f0100a3, 0x7f0100a4, 0x7f0100a5, 0x7f0100a6, 0x7f0100a7, 0x7f0100a8, 0x7f0100a9, 0x7f0100aa, 0x7f0100ab, 0x7f0100ac, 0x7f0100ad, 0x7f0100ae, 0x7f0100af, 0x7f0100b0, 0x7f0100b1, 0x7f0100b2, 0x7f0100b3, 0x7f0100b4, 0x7f0100b5, 0x7f0100b6, 0x7f0100b7, 0x7f0100b8, 0x7f0100b9, 0x7f0100ba, 0x7f0100bb, 0x7f0100bc, 0x7f0100bd, 0x7f0100be, 0x7f0100bf, 0x7f0100c0, 0x7f0100c1, 0x7f0100c2, 0x7f0100c3, 0x7f0100c4, 0x7f0100c5, 0x7f0100c6, 0x7f0100c7, 0x7f0100c8, 0x7f0100c9, 0x7f0100ca }; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarDivider} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarDivider */ public static final int Theme_actionBarDivider = 23; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarItemBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarItemBackground */ public static final int Theme_actionBarItemBackground = 24; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarPopupTheme} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarPopupTheme */ public static final int Theme_actionBarPopupTheme = 17; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarSize} attribute's value can be found in the {@link #Theme} 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), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. <p>May 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><code>wrap_content</code></td><td>0</td><td></td></tr> </table> @attr name ExamDictionary.Droid:actionBarSize */ public static final int Theme_actionBarSize = 22; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarSplitStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarSplitStyle */ public static final int Theme_actionBarSplitStyle = 19; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarStyle */ public static final int Theme_actionBarStyle = 18; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarTabBarStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarTabBarStyle */ public static final int Theme_actionBarTabBarStyle = 13; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarTabStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarTabStyle */ public static final int Theme_actionBarTabStyle = 12; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarTabTextStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarTabTextStyle */ public static final int Theme_actionBarTabTextStyle = 14; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarTheme} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarTheme */ public static final int Theme_actionBarTheme = 20; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionBarWidgetTheme} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionBarWidgetTheme */ public static final int Theme_actionBarWidgetTheme = 21; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionButtonStyle */ public static final int Theme_actionButtonStyle = 49; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionDropDownStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionDropDownStyle */ public static final int Theme_actionDropDownStyle = 45; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionMenuTextAppearance} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionMenuTextAppearance */ public static final int Theme_actionMenuTextAppearance = 25; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionMenuTextColor} attribute's value can be found in the {@link #Theme} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:actionMenuTextColor */ public static final int Theme_actionMenuTextColor = 26; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeBackground */ public static final int Theme_actionModeBackground = 29; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeCloseButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeCloseButtonStyle */ public static final int Theme_actionModeCloseButtonStyle = 28; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeCloseDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeCloseDrawable */ public static final int Theme_actionModeCloseDrawable = 31; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeCopyDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeCopyDrawable */ public static final int Theme_actionModeCopyDrawable = 33; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeCutDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeCutDrawable */ public static final int Theme_actionModeCutDrawable = 32; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeFindDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeFindDrawable */ public static final int Theme_actionModeFindDrawable = 37; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModePasteDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModePasteDrawable */ public static final int Theme_actionModePasteDrawable = 34; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModePopupWindowStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModePopupWindowStyle */ public static final int Theme_actionModePopupWindowStyle = 39; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeSelectAllDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeSelectAllDrawable */ public static final int Theme_actionModeSelectAllDrawable = 35; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeShareDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeShareDrawable */ public static final int Theme_actionModeShareDrawable = 36; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeSplitBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeSplitBackground */ public static final int Theme_actionModeSplitBackground = 30; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeStyle */ public static final int Theme_actionModeStyle = 27; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionModeWebSearchDrawable} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionModeWebSearchDrawable */ public static final int Theme_actionModeWebSearchDrawable = 38; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionOverflowButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionOverflowButtonStyle */ public static final int Theme_actionOverflowButtonStyle = 15; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#actionOverflowMenuStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:actionOverflowMenuStyle */ public static final int Theme_actionOverflowMenuStyle = 16; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#activityChooserViewStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:activityChooserViewStyle */ public static final int Theme_activityChooserViewStyle = 57; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#alertDialogButtonGroupStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:alertDialogButtonGroupStyle */ public static final int Theme_alertDialogButtonGroupStyle = 91; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#alertDialogCenterButtons} attribute's value can be found in the {@link #Theme} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:alertDialogCenterButtons */ public static final int Theme_alertDialogCenterButtons = 92; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#alertDialogStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:alertDialogStyle */ public static final int Theme_alertDialogStyle = 90; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#alertDialogTheme} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:alertDialogTheme */ public static final int Theme_alertDialogTheme = 93; /** <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle} attribute's value can be found in the {@link #Theme} array. @attr name android:windowAnimationStyle */ public static final int Theme_android_windowAnimationStyle = 1; /** <p>This symbol is the offset where the {@link android.R.attr#windowIsFloating} attribute's value can be found in the {@link #Theme} array. @attr name android:windowIsFloating */ public static final int Theme_android_windowIsFloating = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#autoCompleteTextViewStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:autoCompleteTextViewStyle */ public static final int Theme_autoCompleteTextViewStyle = 98; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#borderlessButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:borderlessButtonStyle */ public static final int Theme_borderlessButtonStyle = 54; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonBarButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonBarButtonStyle */ public static final int Theme_buttonBarButtonStyle = 51; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonBarNegativeButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonBarNegativeButtonStyle */ public static final int Theme_buttonBarNegativeButtonStyle = 96; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonBarNeutralButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonBarNeutralButtonStyle */ public static final int Theme_buttonBarNeutralButtonStyle = 97; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonBarPositiveButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonBarPositiveButtonStyle */ public static final int Theme_buttonBarPositiveButtonStyle = 95; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonBarStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonBarStyle */ public static final int Theme_buttonBarStyle = 50; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonStyle */ public static final int Theme_buttonStyle = 99; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#buttonStyleSmall} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:buttonStyleSmall */ public static final int Theme_buttonStyleSmall = 100; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#checkboxStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:checkboxStyle */ public static final int Theme_checkboxStyle = 101; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#checkedTextViewStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:checkedTextViewStyle */ public static final int Theme_checkedTextViewStyle = 102; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorAccent} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorAccent */ public static final int Theme_colorAccent = 83; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorButtonNormal} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorButtonNormal */ public static final int Theme_colorButtonNormal = 87; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorControlActivated} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorControlActivated */ public static final int Theme_colorControlActivated = 85; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorControlHighlight} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorControlHighlight */ public static final int Theme_colorControlHighlight = 86; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorControlNormal} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorControlNormal */ public static final int Theme_colorControlNormal = 84; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorPrimary} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorPrimary */ public static final int Theme_colorPrimary = 81; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorPrimaryDark} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorPrimaryDark */ public static final int Theme_colorPrimaryDark = 82; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#colorSwitchThumbNormal} attribute's value can be found in the {@link #Theme} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:colorSwitchThumbNormal */ public static final int Theme_colorSwitchThumbNormal = 88; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#controlBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:controlBackground */ public static final int Theme_controlBackground = 89; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dialogPreferredPadding} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:dialogPreferredPadding */ public static final int Theme_dialogPreferredPadding = 43; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dialogTheme} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:dialogTheme */ public static final int Theme_dialogTheme = 42; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dividerHorizontal} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:dividerHorizontal */ public static final int Theme_dividerHorizontal = 56; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dividerVertical} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:dividerVertical */ public static final int Theme_dividerVertical = 55; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dropDownListViewStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:dropDownListViewStyle */ public static final int Theme_dropDownListViewStyle = 73; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#dropdownListPreferredItemHeight} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:dropdownListPreferredItemHeight */ public static final int Theme_dropdownListPreferredItemHeight = 46; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#editTextBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:editTextBackground */ public static final int Theme_editTextBackground = 63; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#editTextColor} attribute's value can be found in the {@link #Theme} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:editTextColor */ public static final int Theme_editTextColor = 62; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#editTextStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:editTextStyle */ public static final int Theme_editTextStyle = 103; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#homeAsUpIndicator} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:homeAsUpIndicator */ public static final int Theme_homeAsUpIndicator = 48; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listChoiceBackgroundIndicator} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:listChoiceBackgroundIndicator */ public static final int Theme_listChoiceBackgroundIndicator = 80; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listDividerAlertDialog} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:listDividerAlertDialog */ public static final int Theme_listDividerAlertDialog = 44; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listPopupWindowStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:listPopupWindowStyle */ public static final int Theme_listPopupWindowStyle = 74; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listPreferredItemHeight} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:listPreferredItemHeight */ public static final int Theme_listPreferredItemHeight = 68; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listPreferredItemHeightLarge} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:listPreferredItemHeightLarge */ public static final int Theme_listPreferredItemHeightLarge = 70; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listPreferredItemHeightSmall} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:listPreferredItemHeightSmall */ public static final int Theme_listPreferredItemHeightSmall = 69; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listPreferredItemPaddingLeft} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:listPreferredItemPaddingLeft */ public static final int Theme_listPreferredItemPaddingLeft = 71; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#listPreferredItemPaddingRight} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:listPreferredItemPaddingRight */ public static final int Theme_listPreferredItemPaddingRight = 72; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#panelBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:panelBackground */ public static final int Theme_panelBackground = 77; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#panelMenuListTheme} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:panelMenuListTheme */ public static final int Theme_panelMenuListTheme = 79; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#panelMenuListWidth} attribute's value can be found in the {@link #Theme} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:panelMenuListWidth */ public static final int Theme_panelMenuListWidth = 78; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#popupMenuStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:popupMenuStyle */ public static final int Theme_popupMenuStyle = 60; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#popupWindowStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:popupWindowStyle */ public static final int Theme_popupWindowStyle = 61; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#radioButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:radioButtonStyle */ public static final int Theme_radioButtonStyle = 104; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#ratingBarStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:ratingBarStyle */ public static final int Theme_ratingBarStyle = 105; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#searchViewStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:searchViewStyle */ public static final int Theme_searchViewStyle = 67; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#selectableItemBackground} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:selectableItemBackground */ public static final int Theme_selectableItemBackground = 52; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#selectableItemBackgroundBorderless} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:selectableItemBackgroundBorderless */ public static final int Theme_selectableItemBackgroundBorderless = 53; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#spinnerDropDownItemStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:spinnerDropDownItemStyle */ public static final int Theme_spinnerDropDownItemStyle = 47; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#spinnerStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:spinnerStyle */ public static final int Theme_spinnerStyle = 106; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#switchStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:switchStyle */ public static final int Theme_switchStyle = 107; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAppearanceLargePopupMenu} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:textAppearanceLargePopupMenu */ public static final int Theme_textAppearanceLargePopupMenu = 40; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAppearanceListItem} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:textAppearanceListItem */ public static final int Theme_textAppearanceListItem = 75; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAppearanceListItemSmall} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:textAppearanceListItemSmall */ public static final int Theme_textAppearanceListItemSmall = 76; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAppearanceSearchResultSubtitle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:textAppearanceSearchResultSubtitle */ public static final int Theme_textAppearanceSearchResultSubtitle = 65; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAppearanceSearchResultTitle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:textAppearanceSearchResultTitle */ public static final int Theme_textAppearanceSearchResultTitle = 64; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textAppearanceSmallPopupMenu} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:textAppearanceSmallPopupMenu */ public static final int Theme_textAppearanceSmallPopupMenu = 41; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textColorAlertDialogListItem} attribute's value can be found in the {@link #Theme} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:textColorAlertDialogListItem */ public static final int Theme_textColorAlertDialogListItem = 94; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#textColorSearchUrl} attribute's value can be found in the {@link #Theme} array. <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to 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 ExamDictionary.Droid:textColorSearchUrl */ public static final int Theme_textColorSearchUrl = 66; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#toolbarNavigationButtonStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:toolbarNavigationButtonStyle */ public static final int Theme_toolbarNavigationButtonStyle = 59; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#toolbarStyle} attribute's value can be found in the {@link #Theme} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:toolbarStyle */ public static final int Theme_toolbarStyle = 58; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowActionBar} attribute's value can be found in the {@link #Theme} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowActionBar */ public static final int Theme_windowActionBar = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowActionBarOverlay} attribute's value can be found in the {@link #Theme} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowActionBarOverlay */ public static final int Theme_windowActionBarOverlay = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowActionModeOverlay} attribute's value can be found in the {@link #Theme} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowActionModeOverlay */ public static final int Theme_windowActionModeOverlay = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowFixedHeightMajor} attribute's value can be found in the {@link #Theme} 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), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowFixedHeightMajor */ public static final int Theme_windowFixedHeightMajor = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowFixedHeightMinor} attribute's value can be found in the {@link #Theme} 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), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowFixedHeightMinor */ public static final int Theme_windowFixedHeightMinor = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowFixedWidthMajor} attribute's value can be found in the {@link #Theme} 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), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowFixedWidthMajor */ public static final int Theme_windowFixedWidthMajor = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowFixedWidthMinor} attribute's value can be found in the {@link #Theme} 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), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowFixedWidthMinor */ public static final int Theme_windowFixedWidthMinor = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowMinWidthMajor} attribute's value can be found in the {@link #Theme} 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), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowMinWidthMajor */ public static final int Theme_windowMinWidthMajor = 10; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowMinWidthMinor} attribute's value can be found in the {@link #Theme} 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), 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. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowMinWidthMinor */ public static final int Theme_windowMinWidthMinor = 11; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#windowNoTitle} attribute's value can be found in the {@link #Theme} array. <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>". <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:windowNoTitle */ public static final int Theme_windowNoTitle = 3; /** 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_collapseContentDescription ExamDictionary.Droid:collapseContentDescription}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_collapseIcon ExamDictionary.Droid:collapseIcon}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_contentInsetEnd ExamDictionary.Droid:contentInsetEnd}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_contentInsetLeft ExamDictionary.Droid:contentInsetLeft}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_contentInsetRight ExamDictionary.Droid:contentInsetRight}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_contentInsetStart ExamDictionary.Droid:contentInsetStart}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_logo ExamDictionary.Droid:logo}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_logoDescription ExamDictionary.Droid:logoDescription}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_maxButtonHeight ExamDictionary.Droid:maxButtonHeight}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_navigationContentDescription ExamDictionary.Droid:navigationContentDescription}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_navigationIcon ExamDictionary.Droid:navigationIcon}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_popupTheme ExamDictionary.Droid:popupTheme}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_subtitle ExamDictionary.Droid:subtitle}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_subtitleTextAppearance ExamDictionary.Droid:subtitleTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_subtitleTextColor ExamDictionary.Droid:subtitleTextColor}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_title ExamDictionary.Droid:title}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleMarginBottom ExamDictionary.Droid:titleMarginBottom}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleMarginEnd ExamDictionary.Droid:titleMarginEnd}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleMarginStart ExamDictionary.Droid:titleMarginStart}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleMarginTop ExamDictionary.Droid:titleMarginTop}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleMargins ExamDictionary.Droid:titleMargins}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleTextAppearance ExamDictionary.Droid:titleTextAppearance}</code></td><td></td></tr> <tr><td><code>{@link #Toolbar_titleTextColor ExamDictionary.Droid:titleTextColor}</code></td><td></td></tr> </table> @see #Toolbar_android_gravity @see #Toolbar_android_minHeight @see #Toolbar_collapseContentDescription @see #Toolbar_collapseIcon @see #Toolbar_contentInsetEnd @see #Toolbar_contentInsetLeft @see #Toolbar_contentInsetRight @see #Toolbar_contentInsetStart @see #Toolbar_logo @see #Toolbar_logoDescription @see #Toolbar_maxButtonHeight @see #Toolbar_navigationContentDescription @see #Toolbar_navigationIcon @see #Toolbar_popupTheme @see #Toolbar_subtitle @see #Toolbar_subtitleTextAppearance @see #Toolbar_subtitleTextColor @see #Toolbar_title @see #Toolbar_titleMarginBottom @see #Toolbar_titleMarginEnd @see #Toolbar_titleMarginStart @see #Toolbar_titleMarginTop @see #Toolbar_titleMargins @see #Toolbar_titleTextAppearance @see #Toolbar_titleTextColor */ public static final int[] Toolbar = { 0x010100af, 0x01010140, 0x7f010017, 0x7f01001a, 0x7f01001e, 0x7f01002a, 0x7f01002b, 0x7f01002c, 0x7f01002d, 0x7f01002f, 0x7f0100cb, 0x7f0100cc, 0x7f0100cd, 0x7f0100ce, 0x7f0100cf, 0x7f0100d0, 0x7f0100d1, 0x7f0100d2, 0x7f0100d3, 0x7f0100d4, 0x7f0100d5, 0x7f0100d6, 0x7f0100d7, 0x7f0100d8, 0x7f0100d9 }; /** <p>This symbol is the offset where the {@link android.R.attr#gravity} attribute's value can be found in the {@link #Toolbar} array. @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. @attr name android:minHeight */ public static final int Toolbar_android_minHeight = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#collapseContentDescription} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:collapseContentDescription */ public static final int Toolbar_collapseContentDescription = 19; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#collapseIcon} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:collapseIcon */ public static final int Toolbar_collapseIcon = 18; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetEnd} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetEnd */ public static final int Toolbar_contentInsetEnd = 6; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetLeft} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetLeft */ public static final int Toolbar_contentInsetLeft = 7; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetRight} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetRight */ public static final int Toolbar_contentInsetRight = 8; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#contentInsetStart} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:contentInsetStart */ public static final int Toolbar_contentInsetStart = 5; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#logo} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:logo */ public static final int Toolbar_logo = 4; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#logoDescription} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:logoDescription */ public static final int Toolbar_logoDescription = 22; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#maxButtonHeight} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:maxButtonHeight */ public static final int Toolbar_maxButtonHeight = 17; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#navigationContentDescription} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:navigationContentDescription */ public static final int Toolbar_navigationContentDescription = 21; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#navigationIcon} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:navigationIcon */ public static final int Toolbar_navigationIcon = 20; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#popupTheme} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:popupTheme */ public static final int Toolbar_popupTheme = 9; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#subtitle} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:subtitle */ public static final int Toolbar_subtitle = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#subtitleTextAppearance} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:subtitleTextAppearance */ public static final int Toolbar_subtitleTextAppearance = 11; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#subtitleTextColor} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:subtitleTextColor */ public static final int Toolbar_subtitleTextColor = 24; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#title} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character. <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:title */ public static final int Toolbar_title = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleMarginBottom} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleMarginBottom */ public static final int Toolbar_titleMarginBottom = 16; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleMarginEnd} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleMarginEnd */ public static final int Toolbar_titleMarginEnd = 14; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleMarginStart} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleMarginStart */ public static final int Toolbar_titleMarginStart = 13; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleMarginTop} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleMarginTop */ public static final int Toolbar_titleMarginTop = 15; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleMargins} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleMargins */ public static final int Toolbar_titleMargins = 12; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleTextAppearance} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid:titleTextAppearance */ public static final int Toolbar_titleTextAppearance = 10; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#titleTextColor} attribute's value can be found in the {@link #Toolbar} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:titleTextColor */ public static final int Toolbar_titleTextColor = 23; /** 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_focusable android:focusable}</code></td><td></td></tr> <tr><td><code>{@link #View_android_theme android:theme}</code></td><td></td></tr> <tr><td><code>{@link #View_paddingEnd ExamDictionary.Droid:paddingEnd}</code></td><td></td></tr> <tr><td><code>{@link #View_paddingStart ExamDictionary.Droid:paddingStart}</code></td><td></td></tr> <tr><td><code>{@link #View_theme ExamDictionary.Droid:theme}</code></td><td></td></tr> </table> @see #View_android_focusable @see #View_android_theme @see #View_paddingEnd @see #View_paddingStart @see #View_theme */ public static final int[] View = { 0x01010000, 0x010100da, 0x7f0100da, 0x7f0100db, 0x7f0100dc }; /** <p>This symbol is the offset where the {@link android.R.attr#focusable} attribute's value can be found in the {@link #View} array. @attr name android:focusable */ public static final int View_android_focusable = 1; /** <p>This symbol is the offset where the {@link android.R.attr#theme} attribute's value can be found in the {@link #View} array. @attr name android:theme */ public static final int View_android_theme = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#paddingEnd} attribute's value can be found in the {@link #View} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:paddingEnd */ public static final int View_paddingEnd = 3; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#paddingStart} attribute's value can be found in the {@link #View} array. <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>". Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size), in (inches), mm (millimeters). <p>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:paddingStart */ public static final int View_paddingStart = 2; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#theme} attribute's value can be found in the {@link #View} array. <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>" or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>". @attr name ExamDictionary.Droid: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 ExamDictionary.Droid:backgroundTint}</code></td><td></td></tr> <tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode ExamDictionary.Droid:backgroundTintMode}</code></td><td></td></tr> </table> @see #ViewBackgroundHelper_android_background @see #ViewBackgroundHelper_backgroundTint @see #ViewBackgroundHelper_backgroundTintMode */ public static final int[] ViewBackgroundHelper = { 0x010100d4, 0x7f0100dd, 0x7f0100de }; /** <p>This symbol is the offset where the {@link android.R.attr#background} attribute's value can be found in the {@link #ViewBackgroundHelper} array. @attr name android:background */ public static final int ViewBackgroundHelper_android_background = 0; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundTint} attribute's value can be found in the {@link #ViewBackgroundHelper} array. <p>Must be a color value, in 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>This may also be a reference to a resource (in the form "<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or theme attribute (in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>") containing a value of this type. @attr name ExamDictionary.Droid:backgroundTint */ public static final int ViewBackgroundHelper_backgroundTint = 1; /** <p>This symbol is the offset where the {@link ExamDictionary.Droid.R.attr#backgroundTintMode} attribute's value can be found in the {@link #ViewBackgroundHelper} array. <p>Must be one of the following constant values.</p> <table> <colgroup align="left" /> <colgroup align="left" /> <colgroup align="left" /> <tr><th>Constant</th><th>Value</th><th>Description</th></tr> <tr><td><code>src_over</code></td><td>3</td><td></td></tr> <tr><td><code>src_in</code></td><td>5</td><td></td></tr> <tr><td><code>src_atop</code></td><td>9</td><td></td></tr> <tr><td><code>multiply</code></td><td>14</td><td></td></tr> <tr><td><code>screen</code></td><td>15</td><td></td></tr> </table> @attr name ExamDictionary.Droid: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_inflatedId android:inflatedId}</code></td><td></td></tr> <tr><td><code>{@link #ViewStubCompat_android_layout android:layout}</code></td><td></td></tr> </table> @see #ViewStubCompat_android_id @see #ViewStubCompat_android_inflatedId @see #ViewStubCompat_android_layout */ 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. @attr name android:id */ public static final int ViewStubCompat_android_id = 0; /** <p>This symbol is the offset where the {@link android.R.attr#inflatedId} attribute's value can be found in the {@link #ViewStubCompat} array. @attr name android:inflatedId */ public static final int ViewStubCompat_android_inflatedId = 2; /** <p>This symbol is the offset where the {@link android.R.attr#layout} attribute's value can be found in the {@link #ViewStubCompat} array. @attr name android:layout */ public static final int ViewStubCompat_android_layout = 1; }; }
[ "151-321@N516-02.vc.mami.ru" ]
151-321@N516-02.vc.mami.ru
b25cc0dc3515864ac9d73cc649eff5c15621bcdb
8d98d4b564238571a31ad2effbb6b854b060fc25
/app/src/main/java/com/localtovocal/RetrofitModels/LoginData.java
cd8a238b4d924a8b6423bc57b03f5e5407bc8728
[]
no_license
abhilashasharma2021/Local-to-Vocal
f83aff8ea2aef3fe74c279cc74dedc99d3dbd31e
b415c84416e56ccbdc28c343edce1001ea915d68
refs/heads/master
2023-04-12T00:04:22.382183
2021-04-29T10:26:47
2021-04-29T10:26:47
362,777,307
0
0
null
null
null
null
UTF-8
Java
false
false
7,967
java
package com.localtovocal.RetrofitModels; import com.google.gson.annotations.Expose; import com.google.gson.annotations.SerializedName; import java.util.List; public class LoginData { @SerializedName("result") @Expose private Boolean result; @SerializedName("message") @Expose private String message; @SerializedName("data") @Expose private Data data; public Boolean getResult() { return result; } public void setResult(Boolean result) { this.result = result; } public String getMessage() { return message; } public void setMessage(String message) { this.message = message; } public Data getData() { return data; } public void setData(Data data) { this.data = data; } public class Data { @SerializedName("userID") @Expose private String userID; @SerializedName("type") @Expose private String type; @SerializedName("name") @Expose private String name; @SerializedName("email") @Expose private String email; @SerializedName("password") @Expose private String password; @SerializedName("mobile") @Expose private String mobile; @SerializedName("shop_name") @Expose private String shopName; @SerializedName("tag") @Expose private List<Tag> tag = null; @SerializedName("description") @Expose private String description; @SerializedName("address") @Expose private String address; @SerializedName("city") @Expose private String city; @SerializedName("state") @Expose private String state; @SerializedName("image") @Expose private String image; @SerializedName("auth_id") @Expose private String authId; @SerializedName("auth_provider") @Expose private String authProvider; @SerializedName("latitude") @Expose private String latitude; @SerializedName("longitude") @Expose private String longitude; @SerializedName("strtotime") @Expose private String strtotime; @SerializedName("reg_id") @Expose private String regId; @SerializedName("path") @Expose private String path; @SerializedName("mobile2") @Expose private String mobile2; @SerializedName("subscription_status") @Expose private String subscription_status; public String getUserID() { return userID; } public void setUserID(String userID) { this.userID = userID; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } public String getPassword() { return password; } public void setPassword(String password) { this.password = password; } public String getMobile() { return mobile; } public void setMobile(String mobile) { this.mobile = mobile; } public String getShopName() { return shopName; } public void setShopName(String shopName) { this.shopName = shopName; } public List<Tag> getTag() { return tag; } public void setTag(List<Tag> tag) { this.tag = tag; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public String getAddress() { return address; } public void setAddress(String address) { this.address = address; } public String getCity() { return city; } public void setCity(String city) { this.city = city; } public String getState() { return state; } public void setState(String state) { this.state = state; } public String getImage() { return image; } public void setImage(String image) { this.image = image; } public String getAuthId() { return authId; } public void setAuthId(String authId) { this.authId = authId; } public String getAuthProvider() { return authProvider; } public void setAuthProvider(String authProvider) { this.authProvider = authProvider; } public String getLatitude() { return latitude; } public void setLatitude(String latitude) { this.latitude = latitude; } public String getLongitude() { return longitude; } public void setLongitude(String longitude) { this.longitude = longitude; } public String getStrtotime() { return strtotime; } public void setStrtotime(String strtotime) { this.strtotime = strtotime; } public String getRegId() { return regId; } public void setRegId(String regId) { this.regId = regId; } public String getPath() { return path; } public void setPath(String path) { this.path = path; } public String getMobile2() { return mobile2; } public void setMobile2(String mobile2) { this.mobile2 = mobile2; } public String getSubscription_status() { return subscription_status; } public void setSubscription_status(String subscription_status) { this.subscription_status = subscription_status; } public class Tag { @SerializedName("users_tagID") @Expose private String usersTagID; @SerializedName("userID") @Expose private String userID; @SerializedName("tagID") @Expose private String tagID; @SerializedName("path") @Expose private String path; @SerializedName("tag_name") @Expose private String tagName; public String getUsersTagID() { return usersTagID; } public void setUsersTagID(String usersTagID) { this.usersTagID = usersTagID; } public String getUserID() { return userID; } public void setUserID(String userID) { this.userID = userID; } public String getTagID() { return tagID; } public void setTagID(String tagID) { this.tagID = tagID; } public String getPath() { return path; } public void setPath(String path) { this.path = path; } public String getTagName() { return tagName; } public void setTagName(String tagName) { this.tagName = tagName; } } } }
[ "suhanashuri584@gmail.com" ]
suhanashuri584@gmail.com
d3b44b651a57386b0287a2972325c4dbbef9737c
657625e5eee68cac5029717da809360f0a64343b
/bookstore/src/main/java/bookstore/dao/hibernate/BookDAOImpl.java
6b32fb44923be01ab14e509ea2237d68421e70e8
[]
no_license
kazunari3/bookstore
b1653c5d0deae3e75d0ca32d15f739b0d799027a
9dc95329457ca058d750cb9f6bcdb76998c2a6c0
refs/heads/master
2020-12-24T15:41:11.772990
2015-06-30T14:38:11
2015-06-30T14:38:11
38,242,776
0
0
null
null
null
null
UTF-8
Java
false
false
2,340
java
package bookstore.dao.hibernate; import java.util.List; import java.util.regex.Pattern; import org.hibernate.HibernateException; import org.hibernate.Query; import org.hibernate.Session; import org.springframework.orm.hibernate3.HibernateCallback; import org.springframework.orm.hibernate3.HibernateTemplate; import org.springframework.orm.hibernate3.support.HibernateDaoSupport; import org.springframework.transaction.annotation.Transactional; import org.springframework.transaction.annotation.Propagation; import bookstore.dao.BookDAO; import bookstore.pbean.TBook; @Transactional(readOnly = true, propagation = Propagation.REQUIRED) public class BookDAOImpl extends HibernateDaoSupport implements BookDAO{ public int getPriceByISBNs(final List<String> inISBNList) { HibernateTemplate ht = getHibernateTemplate(); return(((Long)ht.execute(new HibernateCallback() { public Object doInHibernate(Session session) throws HibernateException { Query priceQuery = session .createQuery("select sum(book.price) from TBook book where book.isbn in (:SELECTED_ITEMS)"); priceQuery.setParameterList("SELECTED_ITEMS", inISBNList); return((Long)priceQuery.uniqueResult()); } } )).intValue()); } public List<TBook> retrieveBooksByKeyword(String inKeyword) { String escapedKeyword = Pattern.compile("([%_])") .matcher(inKeyword) .replaceAll("\\\\$1"); String[] keywords = {"%" + escapedKeyword + "%", "%" + escapedKeyword + "%", "%" + escapedKeyword + "%"}; List<TBook> booksList = getHibernateTemplate().find( "from TBook book where book.author like ?" + "or book.title like ? or book.publisher like ?" , keywords); return(booksList); } public List<TBook> retrieveBooksByISBNs(final List<String> inISBNList){ HibernateTemplate ht = getHibernateTemplate(); if(inISBNList == null){ return(ht.find("from TBook book")); }else{ return(((List<TBook>)ht.execute(new HibernateCallback() { public Object doInHibernate(Session session) throws HibernateException { Query retrieveQuery = session .createQuery("from TBook book where book.isbn in ( :ISBNS )"); retrieveQuery.setParameterList("ISBNS", inISBNList); return(retrieveQuery.list()); } } ))); } } }
[ "canser@bu.iij4u.or.jp" ]
canser@bu.iij4u.or.jp
cc444f70a60e71697be44993eae5c8f769d475c2
037cdc40a37a824214077b683c81bf87990ce22e
/src/bbdd/ConsultasABC.java
02111d9a9e9022db8ca21ffb4c075c791801f6a2
[]
no_license
LuisGerardoCAB/BBDD
f6989bdea135af0a35f1fcf3ec5e0d52bee5e3a6
b9bb1569fade8edee4fe32738482077213f440ff
refs/heads/main
2023-08-21T09:33:25.753117
2021-10-28T00:47:43
2021-10-28T00:47:43
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,058
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 bbdd; import java.sql.Connection; import java.sql.DriverManager; import java.sql.Statement; /** * * @author xl3_c */ public class ConsultasABC { public static void main(String [] args){ try { Connection miConexion = DriverManager.getConnection("jdbc:mysql://localhost:3306/prueba", "root", ""); Statement miStatement = miConexion.createStatement(); String query="INSERT INTO `productos` (`CodigoDeBarras`, `Nombre`, `Presentacion`, `Tamanio`, `Cantidad`, `Ganancias`, `PrecioCaja`, `Foto`) VALUES (7576, 'Petalo', 'papel', '400 hoja', 40, 5, 430, NULL)"; miStatement.executeUpdate(query); System.out.println("Datos insertados coreectamente"); } catch (Exception e) { System.out.println("error "); e.printStackTrace(); } } }
[ "BogasXX@users.noreply.github.com" ]
BogasXX@users.noreply.github.com
791c29e8d4e19348c65e9bfd5c02b2866feaa9c0
c2fb6846d5b932928854cfd194d95c79c723f04c
/java_backup/my java/Faceoff/Temperature.java
7fde277461920b0ad4de739c068b8c92b632bcfc
[ "MIT" ]
permissive
Jimut123/code-backup
ef90ccec9fb6483bb6dae0aa6a1f1cc2b8802d59
8d4c16b9e960d352a7775786ea60290b29b30143
refs/heads/master
2022-12-07T04:10:59.604922
2021-04-28T10:22:19
2021-04-28T10:22:19
156,666,404
9
5
MIT
2022-12-02T20:27:22
2018-11-08T07:22:48
Jupyter Notebook
UTF-8
Java
false
false
977
java
class Temperature { public static void main (int c, int l, int x, int a) { int f; System.out.println("press 1 for leap year"); System.out.println("press 2 for conversion from degree celsius to farenheit"); System.out.println("press 3 for finding a five digit number"); switch (x) { case 1:if(a%4==0 && a%400==0) System.out.println("leap year"); else System.out.println("not a leap year"); break; case 2:f=((9*c+160)/5); System.out.println("farenheit" +f); break; case 3:if(l<=10000 && l>=99999) System.out.println("five digit number"); else System.out.println("not a five digit number"); default:System.out.println("not valid"); } } }
[ "jimutbahanpal@yahoo.com" ]
jimutbahanpal@yahoo.com
3c8284afde1fafcd382bb274fbb38b7828f868a3
e382b72e846b51edca5abb26709aab3bba4d4ef5
/gg-fase-1-master/request/src/main/java/com/br/zup/juniors/request/App.java
c1ee474548dd29f8a34e4f5aba4f91c8a75ce1bd
[]
no_license
thallesfreitaszup/gg-fase-1
7f0ad0eef147ea8235ddc7be2c1d90a5a3b763bb
085cc166dd251287238151f12a2079c37d93dbe9
refs/heads/master
2023-01-02T20:24:14.171223
2020-10-31T00:30:40
2020-10-31T00:30:40
216,090,396
0
0
null
null
null
null
UTF-8
Java
false
false
299
java
package com.br.zup.juniors.request; /** * Hello world! * */ public class App { public static void main( String[] args ) { System.out.println(Service.enviaPost()); System.out.println(Service.enviaDelete()); System.out.println(Service.enviaBearer()); } }
[ "thalles.freitas@zup.com.br" ]
thalles.freitas@zup.com.br
2510f211d263e175cb0cb5caf0e5174b7cb30c6c
7dd044984221cdae301615a3979895576f93eb7e
/src/main/java/com/mashibing/service/impl/WyCarSpaceRentServiceImpl.java
0740086e1840341373fc4e82cdc5c79d12187f62
[]
no_license
dnz777/family_service_platform
e55f1bf9f7998f0ce77c1914e46b4a796d84fcc8
4551b15c7c5d680a23dab60cfa0ac40af449abe1
refs/heads/master
2023-08-01T12:22:10.402158
2021-09-12T06:24:05
2021-09-12T06:24:05
404,557,618
0
0
null
null
null
null
UTF-8
Java
false
false
540
java
package com.mashibing.service.impl; import com.mashibing.bean.WyCarSpaceRent; import com.mashibing.mapper.WyCarSpaceRentMapper; import com.mashibing.service.base.WyCarSpaceRentService; import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl; import org.springframework.stereotype.Service; /** * <p> * 车位租赁 服务实现类 * </p> * * @author dnz * @since 2021-09-09 */ @Service public class WyCarSpaceRentServiceImpl extends ServiceImpl<WyCarSpaceRentMapper, WyCarSpaceRent> implements WyCarSpaceRentService { }
[ "1316072982@qq.com" ]
1316072982@qq.com
6a4a2a32abb5736e8331baa69da70939d3fd3091
b222e91a74d83670d210ee02841816edb70ea276
/src/beargame/EnemyTotem.java
3d974570d4bc1b427162715a70034c8cc473a4f3
[]
no_license
douglashenr/BearGame
00cdb982558a1b73344cd85a91c01e2737f90d51
0597803ee963bef65e6ceebcfed6b5371bbc3f68
refs/heads/master
2023-08-14T01:24:12.524425
2021-10-01T00:14:41
2021-10-01T00:14:41
412,225,149
0
0
null
null
null
null
UTF-8
Java
false
false
5,989
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 beargame; import java.awt.Image; import java.awt.Rectangle; import static java.lang.Thread.sleep; import java.util.logging.Level; import java.util.logging.Logger; import javax.swing.ImageIcon; /** * * @author Vinny */ public class EnemyTotem extends Thread{ Game game; Image[] image_sprite; int position; int largura = 120; int altura = 120; int altitude = 350; int sprite_position; Rectangle rect; boolean active=true; int life=60; int count_pulo=60; public EnemyTotem(Game game){ this.game=game; carregaSprite(); rect = new Rectangle(); // Inserindo imagem de inicialização game.lbl_en_totem.setIcon(new ImageIcon(image_sprite[0])); game.lbl_en_totem.setBounds(900, altitude, largura, altura); sprite_position=0; active=true; game.lbl_en_totem.setVisible(true); game.lbl_en_totem.setBounds(800, 100, largura, altura); position=game.lbl_en_totem.getX(); } @Override public void run(){ try { nasce(); } catch (InterruptedException ex) { Logger.getLogger(EnemyTotem.class.getName()).log(Level.SEVERE, null, ex); } while (active == true){ if(game.lbl_en_totem.getX()>-40){ try { sleep(game.enemy_speed); tick(); draw(); collideTeddy(-5); collide(); } catch (InterruptedException ex) { Logger.getLogger(Shot.class.getName()).log(Level.SEVERE, null, ex); } } else { active = false; } if (life<=0){ active=false; } } game.ec.enemy_active=false; System.out.println("E morreu: " + active); game.lbl_en_totem.setVisible(false); } void nasce() throws InterruptedException{ int yy=(int) rect.getY(); while(yy<=350){ game.lbl_en_totem.setBounds(position, yy+=2, largura, altura); sleep(3); } } void collide() throws InterruptedException{ if (game.ps.rect_shot.intersects(rect)) { System.out.println("collide"); game.ps.shot_active=false; life-=10; int x; if (life>0){ for (x=0; x<10; x++){ position+=2; game.lbl_en_totem.setBounds(position, altitude, largura, altura); sleep(10); } } else { game.pontuacao+=30; for (x=position; x<700; x++){ position+=2; game.lbl_en_totem.setBounds(position, altitude, largura, altura); sleep(5); } } } } void collideTeddy(int dano){ if (game.ps.rect_teddy.intersects(rect)) { game.setLife(dano); try { game.ps.sofreDano(1); } catch (InterruptedException ex) { Logger.getLogger(EnemyTotem.class.getName()).log(Level.SEVERE, null, ex); } } } void pula() throws InterruptedException{ int yy=(int) rect.getY(); // int yy=(int) rect.getX(); while(yy>=150){ game.lbl_en_totem.setBounds(position-=game.enemy_move, yy-=5, largura, altura); rect.setBounds(position-=game.enemy_move, yy-=5, largura, altura); sleep(20); } while(yy<=350){ game.lbl_en_totem.setBounds(position-=game.enemy_move*2, yy+=3, largura, altura); rect.setBounds(position-=game.enemy_move*2, yy+=3, largura, altura); collideTeddy(-99); sleep(20); } } void tick() throws InterruptedException{ if(count_pulo>1){ count_pulo--; } else { pula(); count_pulo=60; } sleep(30); position=position-(game.enemy_move*3); game.lbl_en_totem.setBounds(position, altitude, largura, altura); rect.setBounds(position, altitude, largura, altura); } void draw(){ // Mudança de Sprite if(sprite_position<image_sprite.length-1){ sprite_position++; } else{ sprite_position=0; } game.lbl_en_totem.setIcon(new ImageIcon(image_sprite[sprite_position])); } void carregaSprite(){ image_sprite = new Image[4]; ImageIcon img_url = new javax.swing.ImageIcon(getClass().getResource("/res/totem/totem1.png")); Image image = img_url.getImage(); image_sprite[0] = image.getScaledInstance(largura, altura, java.awt.Image.SCALE_SMOOTH); image=null; img_url=null; img_url = new javax.swing.ImageIcon(getClass().getResource("/res/totem/totem2.png")); image = img_url.getImage(); image_sprite[1] = image.getScaledInstance(largura, altura, java.awt.Image.SCALE_SMOOTH); image=null; img_url=null; img_url = new javax.swing.ImageIcon(getClass().getResource("/res/totem/totem3.png")); image = img_url.getImage(); image_sprite[2] = image.getScaledInstance(largura, altura, java.awt.Image.SCALE_SMOOTH); image=null; img_url=null; img_url = new javax.swing.ImageIcon(getClass().getResource("/res/totem/totem4.png")); image = img_url.getImage(); image_sprite[3] = image.getScaledInstance(largura, altura, java.awt.Image.SCALE_SMOOTH); } }
[ "douglash98@hotmail.com" ]
douglash98@hotmail.com
5aa492c59bebd51971c87082b006924b7307d49d
2a47fcc78a2547431963922b9bfc85bceed77b1a
/model/entities/Department.java
a3cdc62448ced5376b290f49e330d330024a398f
[]
no_license
beneditocarvalho/curso-udemy-devsuperior-workshop
56200e59a9995c1ec6697216d42551e510bd4cbd
e9ad1287c2563490fb3befecc5ddd08640e97e8e
refs/heads/master
2023-07-28T08:29:40.654346
2021-09-09T12:19:24
2021-09-09T12:19:24
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,092
java
package model.entities; import java.io.Serial; import java.io.Serializable; import java.util.Objects; public class Department implements Serializable { @Serial private static final long serialVersionUID = 1L; private Integer id; private String name; public Department() { } public Department(Integer id, String name) { this.id = id; this.name = name; } public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public String getName() { return name; } public void setName(String name) { this.name = name; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; Department that = (Department) o; return id.equals(that.id); } @Override public int hashCode() { return Objects.hash(id); } @Override public String toString() { return "Department id = " + id + " Name = " + name; } }
[ "benedito.carvalho@gmail.com" ]
benedito.carvalho@gmail.com
2f6aae0736531b95f074346fa23cbc24acb75c43
0a5e2776d8a7226b2345d63a422407e38dff32e9
/app/src/main/java/com/nconnect/teacher/adapter/SectionAdapter.java
db5398e383849b583b816623247cf30a76e7624e
[]
no_license
amitsemwal1/nConnectTeacher
1e7faf12f99aec4126ea60957377c0ef568e24e4
45df26b1ba3f797a21477662f40d439347796113
refs/heads/master
2020-07-03T05:42:33.988453
2019-08-11T19:27:26
2019-08-11T19:27:26
201,804,925
0
0
null
null
null
null
UTF-8
Java
false
false
3,041
java
package com.nconnect.teacher.adapter; import android.content.Context; import android.support.annotation.NonNull; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.CheckedTextView; import java.util.Collections; import java.util.List; import com.nconnect.teacher.R; import com.nconnect.teacher.model.gradeandsection.Section; public class SectionAdapter extends RecyclerView.Adapter<RecyclerView.ViewHolder> { private Context context; private LayoutInflater inflater; List<Section> data = Collections.emptyList(); private String sessionIdValue = ""; public SectionAdapter(Context context, List<Section> list) { this.context = context; inflater = LayoutInflater.from(context); this.data = list; } @NonNull @Override public RecyclerView.ViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) { View view = inflater.inflate(R.layout.fragment_section_item, parent, false); MyHolderSection holderSection = new MyHolderSection(view); return holderSection; } @Override public void onBindViewHolder(@NonNull RecyclerView.ViewHolder holder, int position) { MyHolderSection holderSection = (MyHolderSection) holder; holderSection.section = data.get(position); holderSection.tvSectionName.setText(holderSection.section.getSectionName()); holderSection.tvSectionName.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { if (holderSection.tvSectionName.isChecked()) { holderSection.tvSectionName.setChecked(false); holderSection.section.setStatus(false); holderSection.section.setSectionId(data.get(position).getSectionId()); holderSection.section.setSectionName(data.get(position).getSectionName()); } else { holderSection.section.setStatus(true); holderSection.tvSectionName.setChecked(true); holderSection.section.setStatus(true); holderSection.section.setSectionId(data.get(position).getSectionId()); holderSection.section.setSectionName(data.get(position).getSectionName()); } } }); } @Override public int getItemCount() { return data.size(); } @Override public int getItemViewType(int position) { return position; } @Override public long getItemId(int position) { return position; } class MyHolderSection extends RecyclerView.ViewHolder { private CheckedTextView tvSectionName; Section section; public MyHolderSection(@NonNull View itemView) { super(itemView); tvSectionName = (CheckedTextView) itemView.findViewById(R.id.sectionName); } } }
[ "amiwal1151@gmail.com" ]
amiwal1151@gmail.com
85bc8b4d14c37da53a25b15968764a6b9b39954e
f3fb9e0b4576d5dfb472b068bcbbc4766c6a25d8
/dough-protection/src/main/java/io/github/bakedlibs/dough/protection/ProtectionLogger.java
18b46c0e0be8196e2e2d97f6340b032acdfd4277
[ "MIT" ]
permissive
Catzy44/dough
929abe743b0fd75d0a789b63ad4d3106607ff1df
23b851213fab07899767ba543d2dc2a9ad5278be
refs/heads/main
2023-09-03T10:20:52.182923
2021-09-06T08:12:23
2021-09-06T08:12:23
null
0
0
null
null
null
null
UTF-8
Java
false
false
396
java
package io.github.bakedlibs.dough.protection; import javax.annotation.Nonnull; import javax.annotation.ParametersAreNonnullByDefault; import org.bukkit.OfflinePlayer; import org.bukkit.block.Block; public interface ProtectionLogger { void load(); @Nonnull String getName(); @ParametersAreNonnullByDefault void logAction(OfflinePlayer p, Block b, Interaction action); }
[ "mrCookieSlime@gmail.com" ]
mrCookieSlime@gmail.com
2d22ce82434470c4f62b31a708738ee859097bcb
f3cc3971f95d335e46d0be5dd4df3a2d44138770
/Group Project/androidapp-androidapp-team04/DrugApp/app/src/main/java/team4/drugapp/LoginActivity.java
d01c952c3967361d2f5e5f8f482fe336cbad4d08
[]
no_license
aplombhuang/Apks
2ae172d4b35192175e4576d26a7178e17180e8b5
111345bb592edab68e2f10fafbd3e14d1540623d
refs/heads/master
2020-05-30T03:09:26.337676
2019-05-31T12:57:01
2019-05-31T12:57:01
189,510,259
0
0
null
null
null
null
UTF-8
Java
false
false
3,448
java
package team4.drugapp; import android.app.ProgressDialog; import android.content.Intent; import android.support.annotation.NonNull; import android.support.v7.app.AppCompatActivity; 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; public class LoginActivity extends AppCompatActivity implements View.OnClickListener { private Button buttonSignIn; private EditText editTextEmail; private EditText editTextPassword; private TextView textViewSignup; private FirebaseAuth firebaseAuth; private ProgressDialog progressDialog; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_login); firebaseAuth = FirebaseAuth.getInstance(); if(firebaseAuth.getCurrentUser() != null){ //profile activity here finish(); startActivity(new Intent(getApplicationContext(), ProfileActivity.class)); } editTextEmail = (EditText) findViewById(R.id.editTextEmail); editTextPassword = (EditText) findViewById(R.id.editTextPassword); buttonSignIn = (Button) findViewById(R.id.buttonSignin); textViewSignup = (TextView) findViewById(R.id.textViewSignUp); progressDialog = new ProgressDialog(this); buttonSignIn.setOnClickListener(this); textViewSignup.setOnClickListener(this); } private void userLogin(){ String email = editTextEmail.getText().toString().trim(); String password = editTextPassword.getText().toString().trim(); if(TextUtils.isEmpty(email)){ //email is empty Toast.makeText(this, "Please enter email", Toast.LENGTH_SHORT).show(); //stopping function executing further return; } if(TextUtils.isEmpty(password)){ //password is empty Toast.makeText(this, "Please enter password", Toast.LENGTH_SHORT).show(); //stopping function from executing further return; } //if validation is good //we will show progress bar progressDialog.setMessage("Logging In..."); progressDialog.show(); firebaseAuth.signInWithEmailAndPassword(email, password) .addOnCompleteListener(this, new OnCompleteListener<AuthResult>() { @Override public void onComplete(@NonNull Task<AuthResult> task) { progressDialog.dismiss(); if(task.isSuccessful()){ //start the profile activity finish(); startActivity(new Intent(getApplicationContext(), MainMenuActivity.class)); } } }); } @Override public void onClick(View view) { if(view == buttonSignIn){ userLogin(); } if(view == textViewSignup){ finish(); startActivity(new Intent(this, MainActivity.class)); } } }
[ "htr.sac@gmail.com" ]
htr.sac@gmail.com
68a8e493c9a7466e37f6d4cd2f8b9daeb4a78888
fa91450deb625cda070e82d5c31770be5ca1dec6
/Diff-Raw-Data/14/14_c4eb0933196fb0f145ea48d588d3108ffa9f2b22/NavigateSubModuleControllerTest/14_c4eb0933196fb0f145ea48d588d3108ffa9f2b22_NavigateSubModuleControllerTest_s.java
f5700ca29229854286dba2b1d6cc6bf1cbcd6e9d
[]
no_license
zhongxingyu/Seer
48e7e5197624d7afa94d23f849f8ea2075bcaec0
c11a3109fdfca9be337e509ecb2c085b60076213
refs/heads/master
2023-07-06T12:48:55.516692
2023-06-22T07:55:56
2023-06-22T07:55:56
259,613,157
6
2
null
2023-06-22T07:55:57
2020-04-28T11:07:49
null
UTF-8
Java
false
false
7,403
java
/******************************************************************************* * Copyright (c) 2007, 2010 compeople AG and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * compeople AG - initial API and implementation *******************************************************************************/ package org.eclipse.riena.client.controller.test; import static org.easymock.EasyMock.*; import java.util.Comparator; import org.easymock.LogicalOperator; import org.eclipse.riena.beans.common.Person; import org.eclipse.riena.example.client.controllers.NavigateSubModuleController; import org.eclipse.riena.internal.core.test.collect.NonUITestCase; import org.eclipse.riena.internal.example.client.beans.PersonModificationBean; import org.eclipse.riena.navigation.INavigationNode; import org.eclipse.riena.navigation.ISubModuleNode; import org.eclipse.riena.navigation.NavigationArgument; import org.eclipse.riena.navigation.NavigationNodeId; import org.eclipse.riena.navigation.NodePositioner; import org.eclipse.riena.navigation.model.SubModuleNode; import org.eclipse.riena.navigation.ui.swt.controllers.AbstractSubModuleControllerTest; import org.eclipse.riena.ui.ridgets.IActionRidget; /** * Tests for the NavigateSubModuleController. */ @SuppressWarnings({ "restriction", "unchecked" }) @NonUITestCase public class NavigateSubModuleControllerTest extends AbstractSubModuleControllerTest<NavigateSubModuleController> { @Override protected NavigateSubModuleController createController(final ISubModuleNode node) { final NavigateSubModuleController newInst = new NavigateSubModuleController(); node.setNodeId(new NavigationNodeId("org.eclipse.riena.example.navigate")); newInst.setNavigationNode(node); return newInst; } public void testNavigateCombo() { expect( getMockNavigationProcessor().navigate(eq(getController().getNavigationNode()), eq(new NavigationNodeId("org.eclipse.riena.example.navigate.comboAndList")), (NavigationArgument) notNull())).andReturn( createNavigationNode("org.eclipse.riena.example.navigate.comboAndList")); replay(getMockNavigationProcessor()); final IActionRidget navigateToComboButton = getController().getRidget(IActionRidget.class, "comboAndList"); navigateToComboButton.fireAction(); verify(getMockNavigationProcessor()); } /** * Tests whether the method <code>INavigationProcessor#navigate</code> is * called with the proper parameters: <br> * - a NavigationNode<br> * - a NavigationNodeId and<br> * - a <code>NavigationArgument</code> that has the ridgetId "textFirst" and * a parameter that is compared by a custom compare-method. This * compare-method returns 0, if the first- and lastName of the * <code>PersonModificationBean</code> match. */ public void testNavigateToRidgetWithCompare() { final PersonModificationBean bean = new PersonModificationBean(); bean.setPerson(new Person("Doe", "Jane")); expect( getMockNavigationProcessor().navigate(eq(getController().getNavigationNode()), eq(new NavigationNodeId("org.eclipse.riena.example.combo")), cmp(new NavigationArgument(bean, "textFirst"), new Comparator<NavigationArgument>() { public int compare(final NavigationArgument o1, final NavigationArgument o2) { if (o1.getParameter() instanceof PersonModificationBean && o2.getParameter() instanceof PersonModificationBean) { return comparePersonModificationBeans((PersonModificationBean) o1.getParameter(), (PersonModificationBean) o2.getParameter()); } else { return -1; } } }, LogicalOperator.EQUAL))).andReturn(createNavigationNode("org.eclipse.riena.example.combo")); replay(getMockNavigationProcessor()); final IActionRidget navigateToNavigateRidget = getController().getRidget(IActionRidget.class, "btnNavigateToRidget"); navigateToNavigateRidget.fireAction(); verify(getMockNavigationProcessor()); } /** * Tests whether the method <code>INavigationProcessor#navigate</code> is * called with the proper parameters: <br> * - a NavigationNode<br> * - a NavigationNodeId and<br> * - a <code>NavigationArgument</code> that has the ridgetId "textFirst" and * a parameter that is not null */ public void testNavigateToRidgetWithNotNull() { expect( getMockNavigationProcessor().navigate(eq(getController().getNavigationNode()), eq(new NavigationNodeId("org.eclipse.riena.example.combo")), new NavigationArgument(notNull(), "textFirst"))).andReturn( createNavigationNode("org.eclipse.riena.example.combo")); replay(getMockNavigationProcessor()); final IActionRidget navigateToNavigateRidget = getController().getRidget(IActionRidget.class, "btnNavigateToRidget"); navigateToNavigateRidget.fireAction(); verify(getMockNavigationProcessor()); } /** * Tests whether the method <code>INavigationProcessor#navigate</code> is * called with the proper parameters: <br> * - a NavigationNode<br> * - a NavigationNodeId and<br> * - a <code>NavigationArgument</code> that has the ridgetId "textFirst" and * a parameter that compared by the equals methods in the specific classes. */ public void testNavigateToRidgetWithEquals() { final PersonModificationBean bean = new PersonModificationBean(); bean.setPerson(new Person("Doe", "Jane")); expect( getMockNavigationProcessor().navigate(eq(getController().getNavigationNode()), eq(new NavigationNodeId("org.eclipse.riena.example.combo")), eq(new NavigationArgument(bean, "textFirst")))).andReturn( createNavigationNode("org.eclipse.riena.example.combo")); replay(getMockNavigationProcessor()); final IActionRidget navigateToNavigateRidget = getController().getRidget(IActionRidget.class, "btnNavigateToRidget"); navigateToNavigateRidget.fireAction(); verify(getMockNavigationProcessor()); } public void testNavigateTableTextAndTree() { final NavigationArgument naviAgr = new NavigationArgument(); naviAgr.setNodePositioner(NodePositioner.ADD_BEGINNING); expect( getMockNavigationProcessor().navigate(eq(getController().getNavigationNode()), eq(new NavigationNodeId("org.eclipse.riena.example.navigate.tableTextAndTree")), eq(naviAgr))) .andReturn(createNavigationNode("org.eclipse.riena.example.navigate.tableTextAndTree")); replay(getMockNavigationProcessor()); final IActionRidget navigateToTableTextAndTree = getController().getRidget(IActionRidget.class, "tableTextAndTree"); navigateToTableTextAndTree.fireAction(); verify(getMockNavigationProcessor()); } private int comparePersonModificationBeans(final PersonModificationBean p1, final PersonModificationBean p2) { if (p1.getFirstName().equals(p2.getFirstName()) && p1.getLastName().equals(p2.getLastName())) { return 0; } else { return -1; } } @SuppressWarnings("rawtypes") private INavigationNode createNavigationNode(final String id) { return new SubModuleNode(new NavigationNodeId(id)); } }
[ "yuzhongxing88@gmail.com" ]
yuzhongxing88@gmail.com
032a37ecfa4dc6a3a5d5b45521057876e8783917
06bf8a35b53983c09969c0e75bc4f266489e4e07
/engBaek/src/main/java/com/engbaek/controller/CommonController.java
bc44c0d261885234b1c2ce074cf187a34ef6e5dd
[]
no_license
sunyoung2im/englishBaek
296e490619e6e6acbdebfd0ddf7cb6c2dd41cd79
e0592d7da25748ffcdf0152d08391125a2d7286c
refs/heads/master
2020-06-26T05:15:45.777729
2019-07-29T15:57:15
2019-07-29T15:57:15
null
0
0
null
null
null
null
UTF-8
Java
false
false
68
java
package com.engbaek.controller; public class CommonController { }
[ "sianpark54@gmail.com" ]
sianpark54@gmail.com
26fbbe9a6b2ba1198ccee85dce24a7ece0e5b2ab
fc67b95671c6422fd3bd19bad8a28e70c76f385c
/14. transfer-objects/src/main/java/com/devplant/springbeginnertraining/model/Lending.java
0fdd219ee5b7555decb8aea7fd20f4520089217b
[]
no_license
radu-jakab/devplant-spring-training
a7ed8a2245bea94d54b3bf07990e53f5f658f06b
1aef84dc60091709d25afc1607817bc3da77dd59
refs/heads/master
2021-12-29T19:13:44.472513
2021-12-28T10:09:25
2021-12-28T10:09:25
108,659,844
1
0
null
null
null
null
UTF-8
Java
false
false
1,285
java
package com.devplant.springbeginnertraining.model; import java.time.LocalDate; import java.time.ZonedDateTime; import javax.persistence.Entity; import javax.persistence.GeneratedValue; import javax.persistence.Id; import javax.persistence.ManyToOne; import javax.persistence.OneToOne; import javax.persistence.Table; import javax.validation.constraints.Future; import javax.validation.constraints.Past; import com.fasterxml.jackson.annotation.JsonBackReference; import lombok.Builder; import lombok.Data; import lombok.NoArgsConstructor; import lombok.ToString; //lombok @Data @Builder @NoArgsConstructor @ToString(exclude = "library") // spring @Entity @Table(name = "LENDING") public class Lending { @Id @GeneratedValue private long id; @OneToOne private Book book; @Past private ZonedDateTime lendingTime; @Future private LocalDate dueReturnDate; private String clientName; @JsonBackReference("libraryLendings") @ManyToOne private Library library; private Lending(long id, Book book, ZonedDateTime lendingTime, LocalDate dueReturnDate, String clientName, Library library) { super(); this.id = id; this.book = book; this.lendingTime = lendingTime; this.dueReturnDate = dueReturnDate; this.clientName = clientName; this.library = library; } }
[ "radu.m.jakab@gmail.com" ]
radu.m.jakab@gmail.com
7c8dccd511643f895d256cf3d9914bf0e50a9e82
b423671ce4f3879b49980b57391e56c3afa0f1f2
/BridgeLabz/src/com/bridgelabz/dp/factorydesignpattern/ComputerFactory.java
3bcc788fbf936c8f2379aae772fb6a2677c5d957
[]
no_license
Kousthab/BridgeLabz
7cce6b61e819fce8de3cb955be8c61a549b076df
551d3fbb5062e1202cbb8ddedb19e8aa2b3320d1
refs/heads/master
2020-05-28T09:44:33.704065
2019-06-09T18:48:12
2019-06-09T18:48:12
182,392,509
0
0
null
null
null
null
UTF-8
Java
false
false
327
java
package com.bridgelabz.dp.factorydesignpattern; public class ComputerFactory { public Computer getComputer(String type, String ram, String hdd, String cpu){ if("PC".equalsIgnoreCase(type)) return new PC(ram, hdd, cpu); else if("Server".equalsIgnoreCase(type)) return new Server(ram, hdd, cpu); return null; } }
[ "kousthab.kundu1996@gmail.com" ]
kousthab.kundu1996@gmail.com
44e45036334e07812c37a38ec815a2c4b9f36536
7d5dbaff3b918192e0e736545e20760a0582301d
/Pascalsches Dreieck/src/at/htlinn/manzl/Main.java
f0d2b9fef113fd36ede345d6f7e84ff0ea1f6de4
[]
no_license
chrisAnichstreet/SWP-OP
32c45b28fb9483d79712e53d610818c77c08221a
317e4ece26beeaba8728b622bb6855966a97e035
refs/heads/master
2022-09-19T11:06:09.201245
2020-05-10T21:59:07
2020-05-10T21:59:07
148,512,815
0
0
null
2022-09-08T01:07:16
2018-09-12T16:54:51
ASP
UTF-8
Java
false
false
1,546
java
package at.htlinn.manzl; import java.util.ArrayList; public class Main { public static void main(String[] args) { int values; try { values = pascal(4,2); System.out.println("Rekursives Aufrufen:"+values); iteratpascal(4,2); }catch (IllegalArgumentException e) { System.out.println("Incorrect values"); } System.out.println(fibonacci(5)); } public static int pascal(int zeile, int spalte) throws IllegalArgumentException { if (spalte > zeile){ throw new IllegalArgumentException(); } if ((spalte==0) || (zeile==0)) { return 1; } if ( zeile == spalte) { return 1; } return (pascal((zeile-1),(spalte-1)) + pascal((zeile-1),spalte)); } public static int iteratpascal(int zeile, int spalte) { ArrayList<ArrayList<Integer>> arr = new ArrayList<>(); // arr.add(ArrayList<Integer>); for(int i = zeile; i<=zeile; i++) { for(int j = 0; j<=i; j++) { if((spalte == j)&&(zeile==i)) { return arr.get(i,j); } } } return 10; } public static int fibonacci(int index) { if(index==0) { return 1; } if (index ==1) { return 2; } return fibonacci(index-2)+fibonacci(index-1); } }
[ "chrmanzl@tsn.at" ]
chrmanzl@tsn.at
0dad58c024b2831410fe86161c839c9666bef909
1ba3e6f1f1c3ff7568ba1190acae63ffe40898ba
/src/main/java/com/wanhutong/backend/modules/oa/web/OaNotifyController.java
29fa8176ea3c377039b9b2f5d93ee5ba8b1f385f
[ "Apache-2.0" ]
permissive
Mamata2507/wanhugou_bg
015fc28fe7e2f26659664786b5bce8c76d0451af
a5d7579b331ef6d81f367be34967652fcb848da7
refs/heads/master
2023-03-15T13:01:10.860578
2019-01-21T01:50:17
2019-01-21T01:50:17
null
0
0
null
null
null
null
UTF-8
Java
false
false
5,341
java
/** * Copyright &copy; 2017 <a href="www.wanhutong.com">wanhutong</a> All rights reserved. */ package com.wanhutong.backend.modules.oa.web; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import org.apache.shiro.authz.annotation.RequiresPermissions; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.ModelAttribute; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.servlet.mvc.support.RedirectAttributes; import com.wanhutong.backend.common.persistence.Page; import com.wanhutong.backend.common.web.BaseController; import com.wanhutong.backend.common.utils.StringUtils; import com.wanhutong.backend.modules.oa.entity.OaNotify; import com.wanhutong.backend.modules.oa.service.OaNotifyService; /** * 通知通告Controller * @author ThinkGem * @version 2014-05-16 */ @Controller @RequestMapping(value = "${adminPath}/oa/oaNotify") public class OaNotifyController extends BaseController { @Autowired private OaNotifyService oaNotifyService; @ModelAttribute public OaNotify get(@RequestParam(required=false) Integer id) { OaNotify entity = null; if (id!=null){ entity = oaNotifyService.get(id); } if (entity == null){ entity = new OaNotify(); } return entity; } @RequiresPermissions("oa:oaNotify:view") @RequestMapping(value = {"list", ""}) public String list(OaNotify oaNotify, HttpServletRequest request, HttpServletResponse response, Model model) { Page<OaNotify> page = oaNotifyService.find(new Page<OaNotify>(request, response), oaNotify); model.addAttribute("page", page); return "modules/oa/oaNotifyList"; } @RequiresPermissions("oa:oaNotify:view") @RequestMapping(value = "form") public String form(OaNotify oaNotify, Model model) { if (oaNotify.getId()!=null){ oaNotify = oaNotifyService.getRecordList(oaNotify); } model.addAttribute("oaNotify", oaNotify); return "modules/oa/oaNotifyForm"; } @RequiresPermissions("oa:oaNotify:edit") @RequestMapping(value = "save") public String save(OaNotify oaNotify, Model model, RedirectAttributes redirectAttributes) { if (!beanValidator(model, oaNotify)){ return form(oaNotify, model); } // 如果是修改,则状态为已发布,则不能再进行操作 if (oaNotify.getId()!=null){ OaNotify e = oaNotifyService.get(oaNotify.getId()); if ("1".equals(e.getStatus())){ addMessage(redirectAttributes, "已发布,不能操作!"); return "redirect:" + adminPath + "/oa/oaNotify/form?id="+oaNotify.getId(); } } oaNotifyService.save(oaNotify); addMessage(redirectAttributes, "保存通知'" + oaNotify.getTitle() + "'成功"); return "redirect:" + adminPath + "/oa/oaNotify/?repage"; } @RequiresPermissions("oa:oaNotify:edit") @RequestMapping(value = "delete") public String delete(OaNotify oaNotify, RedirectAttributes redirectAttributes) { oaNotifyService.delete(oaNotify); addMessage(redirectAttributes, "删除通知成功"); return "redirect:" + adminPath + "/oa/oaNotify/?repage"; } /** * 我的通知列表 */ @RequestMapping(value = "self") public String selfList(OaNotify oaNotify, HttpServletRequest request, HttpServletResponse response, Model model) { oaNotify.setSelf(true); Page<OaNotify> page = oaNotifyService.find(new Page<OaNotify>(request, response), oaNotify); model.addAttribute("page", page); return "modules/oa/oaNotifyList"; } /** * 我的通知列表-数据 */ @RequiresPermissions("oa:oaNotify:view") @RequestMapping(value = "selfData") @ResponseBody public Page<OaNotify> listData(OaNotify oaNotify, HttpServletRequest request, HttpServletResponse response, Model model) { oaNotify.setSelf(true); Page<OaNotify> page = oaNotifyService.find(new Page<OaNotify>(request, response), oaNotify); return page; } /** * 查看我的通知 */ @RequestMapping(value = "view") public String view(OaNotify oaNotify, Model model) { if (oaNotify.getId()!=null){ oaNotifyService.updateReadFlag(oaNotify); oaNotify = oaNotifyService.getRecordList(oaNotify); model.addAttribute("oaNotify", oaNotify); return "modules/oa/oaNotifyForm"; } return "redirect:" + adminPath + "/oa/oaNotify/self?repage"; } /** * 查看我的通知-数据 */ @RequestMapping(value = "viewData") @ResponseBody public OaNotify viewData(OaNotify oaNotify, Model model) { if (oaNotify.getId()!=null){ oaNotifyService.updateReadFlag(oaNotify); return oaNotify; } return null; } /** * 查看我的通知-发送记录 */ @RequestMapping(value = "viewRecordData") @ResponseBody public OaNotify viewRecordData(OaNotify oaNotify, Model model) { if (oaNotify.getId()!=null){ oaNotify = oaNotifyService.getRecordList(oaNotify); return oaNotify; } return null; } /** * 获取我的通知数目 */ @RequestMapping(value = "self/count") @ResponseBody public String selfCount(OaNotify oaNotify, Model model) { oaNotify.setSelf(true); oaNotify.setReadFlag("0"); return String.valueOf(oaNotifyService.findCount(oaNotify)); } }
[ "13391822168@qq.com" ]
13391822168@qq.com
b24880187fc207be506640acd3e7865006724014
283f2a520b70a1d68cb451c1ba7b8274db61a121
/restsimple-api/src/main/java/org/sonatype/restsimple/spi/NegotiationTokenGenerator.java
584377595072e0769d7a048b29857af7f7a93e4d
[]
no_license
sonatype/RestSimple
3610a651c5a83084a0795dfb9ec46bc1d1a51ce9
7863d40d2b215b3f8622029c41d3f39617b6ae59
refs/heads/master
2023-08-07T03:26:58.572257
2011-06-28T19:00:45
2011-06-28T19:00:45
1,252,892
1
3
null
2019-11-19T00:17:03
2011-01-14T00:44:34
Java
UTF-8
Java
false
false
1,564
java
/******************************************************************************* * Copyright (c) 2010-2011 Sonatype, Inc. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * and Apache License v2.0 which accompanies this distribution. * The Eclipse Public License is available at * http://www.eclipse.org/legal/epl-v10.html * The Apache License v2.0 is available at * http://www.apache.org/licenses/LICENSE-2.0.html * You may elect to redistribute this code under either of these licenses. *******************************************************************************/ package org.sonatype.restsimple.spi; import com.google.inject.ImplementedBy; import org.sonatype.restsimple.api.MediaType; import java.util.List; /** * Server side component for implementing a version or content negotiation challenge between a client and a server. */ @ImplementedBy( RFC2295NegotiationTokenGenerator.class ) public interface NegotiationTokenGenerator { /** * Return the name of the challenged header. * @return he name of the challenged header. */ String challengedHeaderName(); /** * Generate an challenge header for challenging the server during version/content negotiation. * @param uri The uri challenged * @param mediaTypes the list of server's MediaType. * @return A string representing the value for the challenged header. */ String generateNegotiationHeader(String uri, List<MediaType> mediaTypes); }
[ "jfarcand@apache.org" ]
jfarcand@apache.org
ef96bfa1fac92c7c443bf86da07fa7275e72e29d
04cffb416321beac3968da7712db5a5865ca429c
/source/Chat_App_Client/src/client/views/LoginGUI.java
74558e2c14f3b6fa7249403aab3dc3d7856fd3b9
[]
no_license
nhlong20/chat_application_java
983d9f4186680b7db62066a3fa946aff5e999a5f
7d6054d5a10ca0aa64b9a797cb975ee85016761d
refs/heads/main
2023-08-28T07:56:30.653730
2021-10-20T07:58:38
2021-10-20T07:58:38
null
0
0
null
null
null
null
UTF-8
Java
false
false
4,214
java
package client.views; import client.Client; import client.utils.EmojiUtil; import client.views.dialogs.RegisterDlg; import javax.swing.*; import java.awt.*; import java.awt.event.KeyAdapter; import java.awt.event.KeyEvent; import java.net.InetAddress; import java.net.UnknownHostException; import java.util.ArrayList; /** * client.views * * @created by ASUS - StudentID : 18120449 * @Date 6/13/2021 - 1:14 PM * @Description */ public class LoginGUI extends JFrame { private JTextField usernameTF; private JPasswordField passwordF; private JButton loginBtn; private JPanel loginPanel; private JButton registerBtn; private JTextField portTF; private JComboBox serverIpComboBox; public LoginGUI() { this.setTitle("Chat Application - Đăng nhập"); this.setContentPane(loginPanel); this.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); Client.setCurrentFrame(this); this.addEventListener(); this.initComponents(); this.pack(); // this following method must call after pack() method to set Java App Window to center of your computer screen this.setLocationRelativeTo(null); this.setVisible(true); } private void initComponents() { InetAddress ip; String localhost = "127.0.0.1"; try { ip = InetAddress.getLocalHost(); serverIpComboBox.addItem(ip.getHostAddress()); serverIpComboBox.addItem(localhost); } catch (UnknownHostException e) { e.printStackTrace(); } portTF.setText("3000"); } private void addEventListener(){ loginBtn.addActionListener(e -> onSubmit()); registerBtn.addActionListener(e-> onRegister()); passwordF.addKeyListener(new KeyAdapter() { @Override public void keyPressed(KeyEvent e) { super.keyPressed(e); if(e.getKeyCode()==KeyEvent.VK_ENTER){ onSubmit(); } } }); } private String validateInput(String username, String password){ if (username == null || username.trim().length() == 0 || password.trim().length() == 0) { return "Tài khoản hoặc mật khẩu không được bỏ trống"; } return null; } public static boolean isNumeric(String strNum) { if (strNum == null) { return false; } try { double d = Double.parseDouble(strNum); } catch (NumberFormatException nfe) { return false; } return true; } private void onSubmit(){ new Thread(() ->{ String serverIp = (String) serverIpComboBox.getSelectedItem(); String port = portTF.getText(); String username = usernameTF.getText(); String password = String.valueOf(passwordF.getPassword()); // Check invalid input if(port.length() == 0){ errorHandler("Lỗi đăng nhập", "Port không được bỏ trống"); return; } if(!LoginGUI.isNumeric(port)){ errorHandler("Lỗi đăng nhập", "Port phải là số"); return; } String error_check = validateInput(username,password); if(error_check != null){ errorHandler("Lỗi đăng nhập", error_check); return; } // Establish connection to server Client client = Client.getInstance(serverIp, Integer.parseInt(port)); if(!client.connectServer()){ JOptionPane.showMessageDialog(null, "Đã xảy ra lỗi trong quá trình kết nối", "Kết nối thất bại", JOptionPane.ERROR_MESSAGE); return; } client.sendLoginRequest(username,password); }).start(); } private void onRegister() { RegisterDlg registerDlg = new RegisterDlg(); } public void errorHandler(String type, String err_msg){ JOptionPane.showMessageDialog(null, err_msg, type, JOptionPane.ERROR_MESSAGE); } }
[ "hoanglongmcs1@gmail.com" ]
hoanglongmcs1@gmail.com
494ce46e3be463a7234b45e1e26171d6d1938f61
e1762b7538484a54c9f90db19dadc9a9cbaceb72
/WilsonPrimes.java
bc17c3d38458144e7f4688fdc2667be83d29f1b9
[]
no_license
vladbrincoveanu/Parallel-programming
bbbb2b00b94591eac9167e6338397288eddd643f
fb4eab34862ae5e3471a0a0c03dae6071f053ce2
refs/heads/master
2020-05-16T00:31:16.394875
2019-04-21T21:07:58
2019-04-21T21:07:58
182,581,888
0
0
null
null
null
null
UTF-8
Java
false
false
4,290
java
import java.math.BigInteger; import java.util.ArrayList; import java.util.List; import java.util.concurrent.ArrayBlockingQueue; /** * Created by Student on 4/3/2019. */ class WilsonPrimes implements Runnable { public static ArrayBlockingQueue<BigInteger> array = new ArrayBlockingQueue<>(1000); private Thread t; private String threadName; private BigInteger startInt; private BigInteger finish; private BigInteger increment; private ArrayList<ArrayList<BigInteger>> resultVal; private int value; WilsonPrimes(String name,String start, String finish, String increment, ArrayList<ArrayList<BigInteger>> result,int value) { threadName = name; this.value = value; this.resultVal = result; this.finish = new BigInteger(finish); this.startInt = new BigInteger(start); this.increment = new BigInteger(increment); } private boolean isPrime(BigInteger number){ if(!number.isProbablePrime(5)) return false; for (BigInteger x = new BigInteger("2"); x.multiply(x).compareTo(number) < 0; x = x.add(BigInteger.ONE)) { if(BigInteger.ZERO.equals(number.mod(x))) return false; } return true; } public boolean returnPrime(BigInteger number) { if (!number.isProbablePrime(20)) return false; BigInteger twoBig = new BigInteger("2"); if (BigInteger.ZERO.equals(number.mod(twoBig))) return false; for (BigInteger i = new BigInteger("3"); i.multiply(i).compareTo(number) < 1; i = i.add(twoBig)) { if (BigInteger.ZERO.equals(number.mod(i))) return false; } return true; } private BigInteger factorialIterative(BigInteger i){ BigInteger fac = new BigInteger("1"); for (BigInteger x = BigInteger.valueOf(2); x.compareTo(i) <= 0; x = x.add(BigInteger.ONE)) { fac = fac.multiply(x); } return fac; } private boolean CheckWilson(BigInteger i){ return BigInteger.ZERO.equals((factorialIterative(i.subtract(BigInteger.ONE)).add(BigInteger.ONE)).mod(i.multiply(i))); } public void run() { ArrayList<BigInteger> arrayList = new ArrayList<>(); long start = System.currentTimeMillis(); boolean checkIfThreadFoundWilson = false; for (BigInteger i = startInt; i.compareTo(finish) < 0; i = i.add(increment)) { if(returnPrime(i)){ if(CheckWilson(i)){ checkIfThreadFoundWilson = true; arrayList.add(i); } } } resultVal.add(arrayList); if(checkIfThreadFoundWilson){ System.out.print("WILSON PRIME THREAD "+threadName+" ->"); for(int i=0; i<arrayList.size();++i){ System.out.print(" "+arrayList.get(i)); } System.out.println(); } long elapsedTime = System.currentTimeMillis() - start; System.out.println("EXIT Thread " + threadName + " TIME "+ elapsedTime); } public void start () { if (t == null) { t = new Thread (this, threadName); t.start (); } } public void join() throws InterruptedException { if (t != null) { t.join(); } } public static void main(String args[]) throws InterruptedException { WilsonPrimes wilsonPrimes[] = new WilsonPrimes[32]; for(int threads=1; threads<=8; threads++){ System.out.println("Start with "+threads+" threads"); System.out.println("------------------------"); ArrayList<ArrayList<BigInteger>> results = new ArrayList<>(); int value = 0; for(int i=0; i<threads; ++i){ wilsonPrimes[i] = new WilsonPrimes("Thread "+ i, String.valueOf(i+1),"35000",String.valueOf(threads), results,value); wilsonPrimes[i].start(); } for(int i=0; i<threads; ++i){ wilsonPrimes[i].join(); } System.out.println("------------------------"); System.out.println("Done with "+threads+" threads"); System.out.print("\n\n"); } } }
[ "gg.vladbrincoveanu@gmail.com" ]
gg.vladbrincoveanu@gmail.com
f1a3b98f5814464bc6ce1ea2c6bd22a63c481d42
b66ee8d24e47f80561778b6d13cfaaeae133dce1
/src/PrintFahrenheitCelciusTable.java
fe8a087669b161ed18720849825302f8af9cc6f8
[]
no_license
jeanneK/CurxOnline
22cb17f67855c0e864a0efbba72b4e08ef73e3fc
3269e948d2a0ab688802f4bf7320726a6054fc28
refs/heads/master
2020-03-19T23:15:45.115860
2018-06-18T05:25:49
2018-06-18T05:25:49
136,999,729
0
0
null
null
null
null
UTF-8
Java
false
false
697
java
import java.util.Scanner; public class PrintFahrenheitCelciusTable { public static void main(String[] args) { int counter = 0; while(counter <= 300) { // int celsius = ((counter-32)*5)/9; // int celsius = (int)((5.0/9)*(counter-32)); int celsius = (int)((5.0f/9)*(counter-32)); System.out.println(counter + " " + celsius ); counter+=20; } Scanner scn = new Scanner(System.in); char ch = scn.next().charAt(0); if (ch >= 'A' && ch <= 'Z') // if (ch >= 65 && ch <=90) { System.out.println("Uppercase"); } else if(ch >= 97 && ch <= 122) { System.out.println("Lowercase"); } else { System.out.println("Invalid Character"); } } }
[ "kritimalik9@gmail.com" ]
kritimalik9@gmail.com
4da7ea00096d7af6823480cd42d73209ac7406ea
44b21e030cae275363d34fb98bef11302111b40b
/RestfullAPI2/src/main/java/com/luvina/cm/error/ApiError.java
24614b2b6a8171b753cb019d773b238402537d19
[]
no_license
vohoangnam2000/CleanCode-FinalExam
1eaf9ad237a75d5f4c1dcbc5573a4e8da390317b
edcf1385b28c01fd7d065cfa63e8f0ab230ae764
refs/heads/master
2023-03-27T05:37:33.311386
2021-03-23T15:33:58
2021-03-23T15:33:58
332,790,446
0
17
null
null
null
null
UTF-8
Java
false
false
200
java
package com.luvina.cm.error; import lombok.AllArgsConstructor; import lombok.Data; @Data @AllArgsConstructor public class ApiError { private String errorCode; private String errorMessage; }
[ "vohoangnam@gmail.com" ]
vohoangnam@gmail.com
e48888fc60e2c0b9d4aefa93023a61d86e6ba407
35d81c00d8c99cb5f4619d69f68e6b968b0b9d3d
/app/src/main/java/com/mcevoy/joe/iotclient/RunMacroService.java
1942b9a4f8ab2a24944100d8ece03129f931c42b
[]
no_license
joemc88/IOTClient
650efcd123b227208fdef7e0069e6f741a38e7c8
3ea6403bef4a5a1a3ea6dd34eeee9fd71c9b089d
refs/heads/master
2021-01-22T05:20:49.211318
2017-04-20T10:14:07
2017-04-20T10:14:07
81,654,082
0
0
null
null
null
null
UTF-8
Java
false
false
1,832
java
package com.mcevoy.joe.iotclient; import android.app.IntentService; import android.app.Service; import android.content.Intent; import android.os.IBinder; import android.support.annotation.Nullable; import android.util.Log; import android.widget.Toast; import java.security.PrivateKey; import static android.content.ContentValues.TAG; /** * Created by Joe on 30/03/2017. */ public class RunMacroService extends IntentService { private String endpoint; private String URL; private static final String TAG = "RunMacroService"; /** * Creates an IntentService. Invoked by your subclass's constructor. * * @param name Used to name the worker thread, important only for debugging. */ public RunMacroService(){ super(TAG); } public RunMacroService(String name) { super(name); // endpoint = intent.getStringExtra("endpoint"); Log.d("inside macro", "onHandleIntent: "); } @Nullable @Override public IBinder onBind(Intent intent) { return null; } @Override protected void onHandleIntent(Intent intent) { endpoint = intent.getStringExtra("endpoint"); URL = intent.getStringExtra("URL"); Log.d(TAG, "onHandleIntent: "); Log.i("Calling",endpoint+" On time"); Toast.makeText(this, " Sending Rest Call to "+endpoint, Toast.LENGTH_SHORT).show(); RequestSender requestSender = new RequestSender(); requestSender.sendRequest(URL); } @Override public void onCreate() { Log.i("Calling","Service On time"); } @Override public void onStart(Intent intent, int startId) { Log.i("Calling","Service On time"); } @Override public void onDestroy() { // TODO Auto-generated method stub super.onDestroy(); } }
[ "joesph.joemc.mcevoy@gmail.com" ]
joesph.joemc.mcevoy@gmail.com
05fed3ff0842d3beed869156e2af58760626d6b3
790e830cf507a5422eebc805dde1e93ce2689726
/app/src/main/java/com/example/girdview/HairCareAdapter.java
c87616cb1efaa8539a1bead8bc3556f942e70297
[]
no_license
gopaljain1st/GirdView
74163f5bc3fce928f29c581e3950e64075c669ca
a1f111c22793c5ddfad90eddabdbf59ceff4f8ce
refs/heads/master
2022-09-28T09:36:20.465302
2020-06-07T07:22:51
2020-06-07T07:22:51
269,688,507
1
0
null
null
null
null
UTF-8
Java
false
false
3,027
java
package com.example.girdview; import android.content.Context; import android.content.Intent; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.ImageView; import android.widget.TextView; import androidx.annotation.NonNull; import androidx.recyclerview.widget.RecyclerView; import java.util.List; public class HairCareAdapter extends RecyclerView.Adapter<HairCareAdapter.HairViewHolder> { Context context; List<HairCareModel> hairCareModelList; public HairCareAdapter(Context context, List<HairCareModel> hairCareModelList) { this.context = context; this.hairCareModelList =hairCareModelList ; } @NonNull @Override public HairViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) { View view= LayoutInflater.from(parent.getContext()).inflate(R.layout.custom_card_hair_care,parent,false); HairViewHolder hairViewHolder=new HairViewHolder(view); return hairViewHolder; } @Override public void onBindViewHolder(@NonNull HairViewHolder holder, int position) { HairCareModel hairCareModel=hairCareModelList.get(position); holder.hair_item_image.setImageResource(hairCareModel.getHairAndCareImage()); holder.hair_item_left_price.setText("MRP: \u20B9"+hairCareModel.getHairAndCarePriceLeft()); holder.hair_item_name.setText(hairCareModel.getHairAndCareName()); holder.hair_item_price.setText("Out Price: \u20B9"+hairCareModel.getHairAndCarePrice()); holder.hair_item_quantity.setText(hairCareModel.getHairAndCareQuantity()); holder.setItemClickListner(new ItemClickListner() { @Override public void onItemClickListner(View v, int position) { context.startActivity(new Intent(context,DescriptionActivity.class)); } }); } @Override public int getItemCount() { return hairCareModelList.size(); } public class HairViewHolder extends RecyclerView.ViewHolder implements View.OnClickListener{ ItemClickListner itemClickListner; ImageView hair_item_image; TextView hair_item_name,hair_item_quantity,hair_item_left_price,hair_item_price; public HairViewHolder(@NonNull View itemView) { super(itemView); hair_item_image=itemView.findViewById(R.id.hair_image); hair_item_left_price=itemView.findViewById(R.id.hair_price_left); hair_item_name=itemView.findViewById(R.id.hair_name); hair_item_price=itemView.findViewById(R.id.hair_item_price); hair_item_quantity=itemView.findViewById(R.id.hair_quantity); itemView.setOnClickListener(this); } @Override public void onClick(View view) { this.itemClickListner.onItemClickListner(view,getLayoutPosition()); } public void setItemClickListner(ItemClickListner ic){ this.itemClickListner=ic; } } }
[ "jaingopal09@gmail.com" ]
jaingopal09@gmail.com
902c9245480046eef2abc1721a19a9acaf2dbf9e
1d4b6eef148bd16ca10b3b4078d208a180e5bddb
/src/main/java/pl/sidor/UserAuth/repository/UserRepository.java
8d07570cc4e65426ab3803f465df4d2a8e2dbbc7
[]
no_license
karolsidor11/UserAuth
f6f3929140266ca3fa79a20ef12895a4e6426f45
939cb0106fc5033414f6dd8d3fbe79a954ada48b
refs/heads/master
2022-06-01T13:56:35.831989
2021-07-29T18:39:31
2021-07-29T18:39:31
186,127,976
0
0
null
2022-05-25T23:18:44
2019-05-11T12:04:36
Java
UTF-8
Java
false
false
395
java
package pl.sidor.UserAuth.repository; import models.User; import org.springframework.data.repository.CrudRepository; import org.springframework.stereotype.Repository; @Repository public interface UserRepository extends CrudRepository<User, Integer> { User findByEmail(String email); void deleteUserById(Integer id); User findByEmailAndPassword(String email, String password); }
[ "kursjava1@wp.pl" ]
kursjava1@wp.pl
68f1c24bb331bfea782dae2ca993d21ee84afef9
2b39f41017d5001e0b9b20af97152db71c376685
/src/main/java/net/dontdrinkandroot/example/springbootrestsecurityangular/domain/repository/BlogPostRepository.java
b35f47add272220eff02406f574728dc26cbfc36
[ "Apache-2.0" ]
permissive
touchrank-dev/example.spring-boot-rest-security-angular.java
00028d56853b325f42451d6c7ef491c0583bc892
73bb98bc96dbf981fc4c97ed9ae69f6d0c82cb9c
refs/heads/master
2020-03-18T16:43:38.754596
2017-09-08T17:07:24
2017-09-08T17:07:24
null
0
0
null
null
null
null
UTF-8
Java
false
false
558
java
package net.dontdrinkandroot.example.springbootrestsecurityangular.domain.repository; import net.dontdrinkandroot.example.springbootrestsecurityangular.domain.model.BlogPost; import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.data.rest.core.annotation.RepositoryRestResource; import org.springframework.stereotype.Repository; /** * @author Philip Washington Sorst <philip@sorst.net> */ @Repository @RepositoryRestResource(path = "posts") public interface BlogPostRepository extends JpaRepository<BlogPost, Long> { }
[ "philip@sorst.net" ]
philip@sorst.net