blob_id
stringlengths 40
40
| directory_id
stringlengths 40
40
| path
stringlengths 4
410
| content_id
stringlengths 40
40
| detected_licenses
sequencelengths 0
51
| license_type
stringclasses 2
values | repo_name
stringlengths 5
132
| snapshot_id
stringlengths 40
40
| revision_id
stringlengths 40
40
| branch_name
stringlengths 4
80
| visit_date
timestamp[us] | revision_date
timestamp[us] | committer_date
timestamp[us] | github_id
int64 5.85k
689M
⌀ | star_events_count
int64 0
209k
| fork_events_count
int64 0
110k
| gha_license_id
stringclasses 22
values | gha_event_created_at
timestamp[us] | gha_created_at
timestamp[us] | gha_language
stringclasses 131
values | src_encoding
stringclasses 34
values | language
stringclasses 1
value | is_vendor
bool 1
class | is_generated
bool 2
classes | length_bytes
int64 3
9.45M
| extension
stringclasses 32
values | content
stringlengths 3
9.45M
| authors
sequencelengths 1
1
| author_id
stringlengths 0
313
|
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
ccb6d0f282ac54e957a5c418ded866235e3840d2 | 435016c5e2d4cfbfe9f939db725aab59dd8b9240 | /java-basic/src/main/java/ch23/e/CalculatorServer.java | f8b5f40ec5818c45dbfd21babde3d647cc3fb147 | [] | no_license | kmincheol/bitcamp-java-2018-12 | 59b3c5709b1aa905035a390d553002547243a13a | 32b2df6e295412207a27bfc57069e9069f85a0a4 | refs/heads/master | 2021-08-06T22:04:08.819338 | 2019-06-12T02:16:22 | 2019-06-12T02:16:22 | 163,650,686 | 1 | 1 | null | 2020-04-30T03:50:33 | 2018-12-31T08:00:45 | Java | UTF-8 | Java | false | false | 3,531 | java | // TCP : connectionful(Stateless) 응용 - 서버에서 계산 결과 유지하기
package ch23.e;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.PrintStream;
import java.net.ServerSocket;
import java.net.Socket;
import java.util.HashMap;
public class CalculatorServer {
public static void main(String[] args) {
// 클라이언트의 작업 결과를 저장할 맵 객체
HashMap<Long, Integer> resultMap = new HashMap<>();
try (ServerSocket serverSocket = new ServerSocket(8888)) {
System.out.println("서버 실행 중...");
// 서버의 Stateless 통신 방법에서 클라이언트를 구분하여 각 클라이언트의 계산 결과를 유지하려면?
// => 커피숍에서는 고객의 쿠폰 포인트를 어떻게 관리할까?
while (true) {
try (Socket socket = serverSocket.accept();
BufferedReader in = new BufferedReader(new InputStreamReader(socket.getInputStream()));
PrintStream out = new PrintStream(socket.getOutputStream());) {
System.out.println("클라이언트와 연결됨! 요청처리 중...");
// 먼저 클라이언트가 보낸 세션 ID를 읽는다.
long sessionId = Long.parseLong(in.readLine());
System.out.printf("세션ID : %d\n", sessionId);
int result = 0;
boolean isNewSessionId = false;
if (sessionId == 0) {
// 클라이언트에게 세션ID를 발급한 적이 없다면, 새 세션 ID를 발급한다.
sessionId = System.currentTimeMillis();
isNewSessionId = true; // 세션 ID를 새로 발급했다고 표시한다.
} else {
// 클라이언트의 세션 ID로 기존에 저장된 결과 값을 가져온다.
result = resultMap.get(sessionId); // auto-unboxing => Integer.intValue()
}
String[] input = in.readLine().split(" ");
int b = 0;
String op = null;
try {
op = input[0];
b = Integer.parseInt(input[1]);
} catch (Exception e) {
out.println("식의 형식이 바르지 않습니다.");
out.flush();
continue;
}
switch (op) {
case "+":
result += b;
break;
case "-":
result -= b;
break;
case "*":
result *= b;
break;
case "/":
result /= b;
break;
case "%":
result %= b;
break;
default:
out.printf("%s 연산자를 지원하지 않습니다.\n", op);
out.flush();
continue;
}
// 계산결과를 세션 ID를 사용해서 서버에 저장한다.
resultMap.put(sessionId, result);
// 세션 ID를 새로 발급했다면 클라이언트에게 알려준다
if (isNewSessionId) {
out.println(sessionId);
}
out.printf("현재 결과는 %d 입니다.\n", result);
out.flush();
} catch (Exception e) {
// 클라이언트 요청을 처리하다가 예외가 발생하면 무시하고 연결을 끊는다.
System.out.println("클라이언트와 통신 중 오류 발생!");
}
System.out.println("클라이언트와 연결 끊음!");
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
| [
"[email protected]"
] | |
26c9185dcc9b5c868fd7df4df5571876e8d4ca4e | cfb53d106cef28377aaf5c15a65e2c479fbbb812 | /kodilla-testing/src/test/java/com/kodilla/testing/forum/ForumTestSuite.java | 68fd60ae098b24c97c3a3a986a651a72bf3dea03 | [] | no_license | robertwojtkowski/Robert-Wojtkowski-kodilla-Java | e67c9bffbccd70965bf9489453865e4ec98e99c9 | d749b3795d419820c277e56c008ae747ccd48824 | refs/heads/master | 2022-07-13T01:12:41.429661 | 2020-01-07T11:17:56 | 2020-01-07T11:17:56 | 194,789,833 | 0 | 0 | null | 2022-06-21T02:35:20 | 2019-07-02T04:46:16 | Java | UTF-8 | Java | false | false | 1,221 | java | package com.kodilla.testing.forum;
import com.kodilla.testing.user.SimpleUser;
import org.junit.*;
public class ForumTestSuite {
//wszystko ze strony skopiowane
@Before
public void before(){
System.out.println("Test Case: begin");
}
@After
public void after(){
System.out.println("Test Case: end");
}
@BeforeClass
public static void beforeClass() {
System.out.println("Test Suite: begin");
}
@AfterClass
public static void afterClass() {
System.out.println("Test Suite: end");
}
@Test
public void testCaseUsername(){
//Given
SimpleUser simpleUser = new SimpleUser("theForumUser", "John Smith");
//When
String result = simpleUser.getUsername();
System.out.println("Testing " + result);
//Then
Assert.assertEquals("theForumUser", result);
}
@Test
public void testCaseRealName(){
//Given
SimpleUser simpleUser = new SimpleUser("theForumUser", "John Smith");
//When
String result = simpleUser.getRealName();
System.out.println("Testing " + result);
//Then
Assert.assertEquals("John Smith", result);
}
} | [
"[email protected]"
] | |
613a8ac6c3daec01e5c92cdfac26a489b8c38245 | 01792e9d60f0e492af8604ca198d9d399dbd302c | /valid-perfect-square/Solution.java | 1e03e40e02c0fec13ec9dda0ac15af7ebbd105de | [] | no_license | singh523/leetcode | 5de3bbe101b462a3416dc0cdbd020df055da1a15 | bf286849508d32b35217d5684514d1a61fd1874a | refs/heads/master | 2022-04-18T21:51:59.483153 | 2020-04-19T07:53:14 | 2020-04-19T07:53:14 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 373 | java | public class Solution {
public boolean isPerfectSquare(int num) {
int lower = 1;
int upper = 1 << 16;
while (lower <= upper) {
int middle = (lower + upper) / 2;
long square = (long) middle * middle;
if (num == square) {
return true;
} else if (num < square) {
upper = middle - 1;
} else {
lower = middle + 1;
}
}
return false;
}
}
| [
"[email protected]"
] | |
a0200931781d47248af27b4535c1b147ba5b9f4b | 5b0b07915b239e13de2aef41c7bad6a7c9b451ac | /spring-boot-note5/src/main/java/me/loveshare/note5/data/util/image/ValidateCodeImgUtils.java | a1b2a108dc38fd01a58ab6d31bf43a31934cdccf | [
"Apache-2.0"
] | permissive | cqcnihao/spring-boot | 60ccdf35e891b797828afa1177705a91fdee5733 | d8af7daeb2bebad048657da63cb310b994b58ae4 | refs/heads/master | 2020-04-03T15:44:50.832028 | 2018-09-20T04:51:31 | 2018-09-20T04:51:31 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 11,059 | java | package me.loveshare.note5.data.util.image;
import me.loveshare.note5.data.exception.TSEDictionary;
import me.loveshare.note5.data.exception.TSException;
import javax.imageio.ImageIO;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.OutputStream;
import java.util.HashMap;
import java.util.Map;
import java.util.Random;
/**
* ClassName: ValidateCodeImg. <br/>
* Description: creat verification code image.<br/>
* Date: 2015-09-02 00:51:22 <br/>
*
* @author Tony_tian. first re made<br />
* @version 1.0.0<br/>
*/
public final class ValidateCodeImgUtils {
// verification code image width
private static final int IMG_WIDTH = 130;
// verification code image height
private static final int IMG_HEIGHT = 38;
// The number of interference lines
private static final int DISTURB_LINE_SIZE = 15;
// generate a random number
private static final Random random = new Random();
//transfer style
public static final String JPEG = "JPEG";
// Chinese Numbers
// private static final String [] CNUMBERS =
// "零,一,二,三,四,五,六,七,八,九,十".split(",");
// 零一二三四五六七八九十乘除加减
// Here, must be java Unicode code
private static final String CVCNUMBERS = "\u96F6\u4E00\u4E8C\u4E09\u56DB\u4E94\u516D\u4E03\u516B\u4E5D\u5341\u4E58\u9664\u52A0\u51CF";
// Definition of drawings in the captcha characters font, font name, font
// style, font size
// static final font : In Chinese characters garbled
private static final Font font = new Font("黑体", Font.BOLD, 18);
// data operator
private static final Map<String, Integer> OPMap = new HashMap<String, Integer>();
static {
OPMap.put("*", 11);
OPMap.put("/", 12);
OPMap.put("+", 13);
OPMap.put("-", 14);
}
/**
* Get validate code image and validate code.
*
* @return map.key="validateCode" value="(int)validate code result." <br />
* map.key="validateCodeImg" value="(BufferedImage)validate image."
*/
public static Map<String, Object> drawVerificationCodeImage() {
//map use save validate code and image
Map<String, Object> map = new HashMap<String, Object>();
// image
BufferedImage image = new BufferedImage(IMG_WIDTH, IMG_HEIGHT, BufferedImage.TYPE_INT_RGB);
// In memory to create a brush
Graphics g = image.getGraphics();
// Set the brush color
// g.setColor(getRandomColor(200,250));
g.setColor(Color.WHITE);
// Fill the background color, using the current brush colour changing
// background color images
// The meaning of the four parameters respectively, starting x
// coordinates, starting y, width, height.
// image background
g.fillRect(0, 0, IMG_WIDTH, IMG_HEIGHT);
// Set the brush color
// g.setColor(getRandomColor(200, 250));
Color bordercolor = new Color(216, 216, 216);
g.setColor(bordercolor);
// image border
g.drawRect(0, 0, IMG_WIDTH - 1, IMG_HEIGHT - 1);
// Set disturb line color
g.setColor(getRandomColor(110, 133));
// Generate random interference lines
for (int i = 0; i < DISTURB_LINE_SIZE; i++) {
drawDisturbLine1(g);
drawDisturbLine2(g);
}
// Generate a random number, set return data
int validateCode = 0;
// Randomly generated number 0 to 10
int xx = random.nextInt(10);
int yy = random.nextInt(10);
// save getRandomString
StringBuffer sfChinese = new StringBuffer();
// random 0,1,2
int Randomoperands = (int) Math.round(Math.random() * 2);
// multiplication
if (Randomoperands == 0) {
validateCode = yy * xx;
// suChinese.append(CNUMBERS[yy]);
sfChinese.append(yy);
sfChinese.append("*");
sfChinese.append(xx);
// division, divisor cannot be zero, Be divisible
} else if (Randomoperands == 1) {
if (!(xx == 0) && yy % xx == 0) {
validateCode = yy / xx;
sfChinese.append(yy);
sfChinese.append("/");
sfChinese.append(xx);
} else {
validateCode = yy + xx;
sfChinese.append(yy);
sfChinese.append("+");
sfChinese.append(xx);
}
// subtraction
} else if (Randomoperands == 2) {
validateCode = yy - xx;
sfChinese.append(yy);
sfChinese.append("-");
sfChinese.append(xx);
// add
} else {
validateCode = yy + xx;
sfChinese.append(yy);
sfChinese.append("+");
sfChinese.append(xx);
}
String validateCodeTempString = sfChinese.toString();
// The generated random string used to save the system
StringBuffer logsu = new StringBuffer();
for (int j = 0, k = validateCodeTempString.length(); j < k; j++) {
int chid = 0;
if (j == 1) {
chid = OPMap.get(String.valueOf(validateCodeTempString.charAt(j)));
} else {
chid = Integer.parseInt(String.valueOf(validateCodeTempString.charAt(j)));
}
String ch = String.valueOf(CVCNUMBERS.charAt(chid));
logsu.append(ch);
drawRandomString((Graphics2D) g, ch, j);
}
// = ?
drawRandomString((Graphics2D) g, "\u7B49\u4E8E\uFF1F", 3);
logsu.append("\u7B49\u4E8E \uFF1F");
/* LOG.info("验证码 : " + validateCodeTempString);
LOG.info("验证码结果 : " + validateCode);
LOG.info("汉字验证码 : " + logsu);*/
// Release the brush object
g.dispose();
//save validate img and code.
map.put("code", validateCode);
map.put("image", image);
return map;
}
/**
* Draw a random string
*
* @param g Graphics
* @param randomvcch random string
* @param i the random number of characters
*/
public static void drawRandomString(Graphics2D g, String randomvcch, int i) {
// Set the string font style
g.setFont(font);
// Set the color string
int rc = random.nextInt(255);
int gc = random.nextInt(255);
int bc = random.nextInt(255);
g.setColor(new Color(rc, gc, bc));
// random string
// Set picture in the picture of the text on the x, y coordinates,
// random offset value
int x = random.nextInt(3);
int y = random.nextInt(2);
g.translate(x, y);
// Set the font rotation angle
int degree = new Random().nextInt() % 15;
// Positive point of view
g.rotate(degree * Math.PI / 180, 5 + i * 25, 20);
// Character spacing is set to 15 px
// Using the graphics context of the current font and color rendering by
// the specified string for a given text.
// The most on the left side of the baseline of the characters in the
// coordinate system of the graphics context (x, y) location
// str- to draw string.x - x coordinate.y - y coordinate.
g.drawString(randomvcch, 5 + i * 20, 25);
// Reverse Angle
g.rotate(-degree * Math.PI / 180, 5 + i * 25, 20);
}
/**
* For random color
*
* @param fc set param1
* @param bc set param2
* @return color random color
*/
public static Color getRandomColor(int fc, int bc) {
if (fc > 255) {
fc = 255;
}
if (bc > 255) {
bc = 255;
}
// Generate random RGB trichromatic
int r = fc + random.nextInt(bc - fc - 16);
int g = fc + random.nextInt(bc - fc - 14);
int b = fc + random.nextInt(bc - fc - 18);
return new Color(r, g, b);
}
/**
* Draw line interference 1
*
* @param g Graphics
*/
public static void drawDisturbLine1(Graphics g) {
int x1 = random.nextInt(IMG_WIDTH);
int y1 = random.nextInt(IMG_HEIGHT);
int x2 = random.nextInt(13);
int y2 = random.nextInt(15);
// x1 - The first point of the x coordinate.
// y1 - The first point of the y coordinate
// x2 - The second point of the x coordinate.
// y2 - The second point of the y coordinate.
// X1 and x2 is the starting point coordinates, x2 and y2 is end
// coordinates.
g.drawLine(x1, y1, x1 + x2, y1 + y2);
}
/**
* Draw line interference 2
*
* @param g Graphics
*/
public static void drawDisturbLine2(Graphics g) {
int x1 = random.nextInt(IMG_WIDTH);
int y1 = random.nextInt(IMG_HEIGHT);
int x2 = random.nextInt(13);
int y2 = random.nextInt(15);
// x1 - The first point of the x coordinate.
// y1 - The first point of the y coordinate
// x2 - The second point of the x coordinate.
// y2 - The second point of the y coordinate.
// X1 and x2 is the starting point coordinates, x2 and y2 is end
// coordinates.
g.drawLine(x1, y1, x1 - x2, y1 - y2);
}
/**
* Output validate image to file.
*
* @param format file wirte image format. <br />
* @param file write to image file.<br />
* @return int validateCode validate code's result.
*/
public static int writeToFile(String format, File file) throws TSException {
int validateCode = 0;
try {
Map<String, Object> map = drawVerificationCodeImage();
validateCode = (Integer) map.get("code");
BufferedImage validateCodeImg = (BufferedImage) map.get("image");
ImageIO.write(validateCodeImg, format, file);
} catch (Exception e) {
throw new TSException(TSEDictionary.FILE_OUT_DISK_FAIL.getCode(), "Validate code image write to file failure:" + e.getMessage());
}
return validateCode;
}
/**
* Output validate code to stream.
*
* @param format file wirte image format. <br />
* @param outputStream write to image output stream.<br />
* @return int validateCode validate code's result.
*/
public static int writeToStream(String format, OutputStream outputStream) throws TSException {
int validateCode = 0;
try {
Map<String, Object> map = drawVerificationCodeImage();
validateCode = (Integer) map.get("code");
BufferedImage validateCodeImg = (BufferedImage) map.get("image");
ImageIO.write(validateCodeImg, format, outputStream);
} catch (Exception e) {
throw new TSException(TSEDictionary.FILE_OUT_STREAM_FAIL.getCode(), "Validate code image write to output stream failure:" + e.getMessage());
}
return validateCode;
}
} | [
"[email protected]"
] | |
2008ac4c5319ba058275090f83184afe2ba0b4d1 | fa5d0de6a923e349a77ce38408cbf02154134037 | /ClayUI_android/src/com/netinfocentral/ClayUI/ElementDatabaseHelper.java | e7f79cc3ed630146d89545a9fb9aeb7a658f36ea | [] | no_license | lwllovewf2010/ClayUI_android | 8b2ed7fab052325a8621c00e318a6d4ae51232c2 | d786be564365327c6b891dfe634b83ae63122327 | refs/heads/master | 2020-03-29T20:56:59.006823 | 2012-05-01T20:28:40 | 2012-05-01T20:28:40 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,956 | java | package com.netinfocentral.ClayUI;
import android.content.Context;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
import android.util.Log;
public class ElementDatabaseHelper extends SQLiteOpenHelper {
// define class variables
private static final int DATABASE_VERSION = 1;
private static final String DATABASE_NAME = "ClayUI.db";
public static final String TABLE_NAME = "Elements";
// column definitions
public static final String COLUMN_ID = "_id";
public static final String COLUMN_APP_PART_ID = "AppPartID";
public static final String COLUMN_ELEMENT_NAME = "ElementName";
public static final String COLUMN_ELEMENT_TYPE = "ElementType";
public static final String COLUMN_ELEMENT_LABEL = "ElementLabel";
public static final String COLUMN_VERSION = "Version";
// command to create the table
private static final String DATABASE_CREATE =
"CREATE TABLE " + TABLE_NAME + " (" +
COLUMN_ID + " integer primary key, " +
COLUMN_APP_PART_ID + " integer, " +
COLUMN_ELEMENT_NAME + " text, " +
COLUMN_ELEMENT_TYPE + " integer, " +
COLUMN_ELEMENT_LABEL + " text, " +
COLUMN_VERSION + " integer);";
// default constructor
ElementDatabaseHelper(Context context) {
//this.databaseName = applicationName;
super(context, DATABASE_NAME, null, DATABASE_VERSION);
}
// create database if it does not exist
@Override
public void onCreate(SQLiteDatabase db) {
db.execSQL(DATABASE_CREATE);
}
// upgrade database if necessary
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
Log.w(ElementDatabaseHelper.class.getName(),
"Upgrading database from version " + oldVersion + " to "
+ newVersion + ", which will destroy all old data");
db.execSQL("DROP TABLE IF EXISTS " + TABLE_NAME);
onCreate(db);
}
}
| [
"[email protected]"
] | |
8973657641d83d3dfba311d4a994e124003e5fc2 | ab5309ffdbe176e2cc2673ea1d773574508008c8 | /src/main/java/ru/balayan/organizationbackend/package-info.java | 0fd59ba27c2f7ebf7bba9a77d73f2b4a6949ed33 | [] | no_license | balavart/OrganizationBackend | b1d539353d95e0249b9d45144c9aa0545a9a15fb | 3302393c6c78e2ce34246da6992e0387da55fcb1 | refs/heads/master | 2022-11-14T20:16:40.727837 | 2020-07-12T17:18:01 | 2020-07-12T17:18:01 | 277,261,537 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 209 | java | /**
* This package is designed to store the starting point of the Spring Boot application launch.
*
* @author Vardan Balaian
* @created 04.07.2020
* @since 1.8
*/
package ru.balayan.organizationbackend;
| [
"[email protected]"
] | |
b9d19b679ca66940ab578eb99324fd79c83e1984 | eb200901496d5c14b75100dfa4f4c7c1c037ca2f | /leyou/ly-item/ly-item-service/src/main/java/com/leyou/item/entity/TbCategory.java | 86147fec3b1859d06d3dc68deded5217f165c5e4 | [] | no_license | 13453602837/one | 727f04ba095d1801a0fe09beab09823f409f33ca | f573a148566875c672f9c9c4cfda2181c9a9e37e | refs/heads/master | 2022-11-25T07:10:57.076105 | 2019-08-31T10:02:27 | 2019-08-31T10:02:27 | 205,523,154 | 0 | 0 | null | 2022-11-16T11:54:30 | 2019-08-31T09:21:02 | Java | UTF-8 | Java | false | false | 1,385 | java | package com.leyou.item.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import com.baomidou.mybatisplus.extension.activerecord.Model;
import lombok.Data;
import lombok.EqualsAndHashCode;
import lombok.experimental.Accessors;
import java.io.Serializable;
import java.util.Date;
/**
* <p>
* 商品类目表,类目和商品(spu)是一对多关系,类目与品牌是多对多关系
* </p>
*
* @author HM
* @since 2019-08-27
*/
@Data
@EqualsAndHashCode(callSuper = false)
@Accessors(chain = true)
public class TbCategory extends Model<TbCategory> {
private static final long serialVersionUID=1L;
/**
* 类目id
*/
@TableId(value = "id", type = IdType.AUTO)
private Long id;
/**
* 类目名称
*/
private String name;
/**
* 父类目id,顶级类目填0
*/
private Long parentId;
/**
* 是否为父节点,0为否,1为是
*/
private Boolean isParent;
/**
* 排序指数,越小越靠前
*/
private Integer sort;
/**
* 数据创建时间
*/
private Date createTime;
/**
* 数据更新时间
*/
private Date updateTime;
@Override
protected Serializable pkVal() {
return this.id;
}
}
| [
"[email protected]"
] | |
6ae5a07f623ee3a41fa0adfa96398f7da92bc32d | fa91450deb625cda070e82d5c31770be5ca1dec6 | /Diff-Raw-Data/16/16_537e7eb4f0c926ceb62b4fb61825dba4f554c514/TestNetCDFProxy/16_537e7eb4f0c926ceb62b4fb61825dba4f554c514_TestNetCDFProxy_t.java | f9ffaac081083f5ac3dee40b4ca1b73d54c2b052 | [] | 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 | 4,964 | java | /*
* Copyright 2008-2010 Microarray Informatics Team, EMBL-European Bioinformatics Institute
*
* 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.
*
*
* For further details of the Gene Expression Atlas project, including source code,
* downloads and documentation, please see:
*
* http://gxa.github.com/gxa
*/
package uk.ac.ebi.gxa.netcdf;
import junit.framework.TestCase;
import java.io.File;
import java.io.IOException;
import java.util.HashSet;
import java.util.List;
import java.util.Set;
import static com.google.common.io.Closeables.close;
public class TestNetCDFProxy extends TestCase {
private File netCDFfile;
private NetCDFProxy netCDF;
@Override
protected void setUp() throws Exception {
netCDFfile = new File(getClass().getClassLoader().getResource("MEXP/1500/E-MEXP-1586/E-MEXP-1586_A-AFFY-44.nc").toURI());
netCDF = new NetCDFProxy(netCDFfile);
}
@Override
protected void tearDown() throws Exception {
netCDFfile = null;
close(netCDF, false);
netCDF = null;
}
public void testisOutOfDate() throws Exception {
try {
new NetCDFProxy(new File(getClass().getClassLoader().getResource("MEXP/1500/E-MEXP-1586/E-MEXP-1586_A-AFFY-44_old.nc").toURI())).isOutOfDate();
} catch (AtlasDataException e) {
return;
}
fail("AtlasDataException is not thrown");
}
public void testGetExperiment() throws IOException {
System.out.println("Experiment: " + netCDF.getExperimentAccession());
}
public void testGetArrayDesign() throws IOException {
System.out.println("ArrayDesign: " + netCDF.getArrayDesignAccession());
}
/*
public void testGetAssays() throws IOException {
System.out.print("Assays: {");
for (long assay : netCDF.getAssays()) {
System.out.print(assay + ", ");
}
System.out.println("}");
}
public void testGetSamples() throws IOException {
System.out.print("Samples: {");
for (long sample : netCDF.getSamples()) {
System.out.print(sample + ", ");
}
System.out.println("}");
}
*/
public void testGetFactors() throws IOException {
System.out.print("EFs: {");
for (String factor : netCDF.getFactors()) {
System.out.print(factor + ", ");
}
System.out.println("}");
}
public void testGetFactorValues() throws IOException {
for (String factor : netCDF.getFactors()) {
System.out.print("EFVs for " + factor + " {");
for (String efv : netCDF.getFactorValues(factor)) {
System.out.print(efv + ", ");
}
System.out.println("}");
}
}
public void testGetUniqueFactorValues() throws IOException {
final Set<KeyValuePair> uniques = new HashSet<KeyValuePair>();
for (KeyValuePair uefv : netCDF.getUniqueFactorValues()) {
if (uniques.contains(uefv)) {
fail("Found a duplicate: " + uefv);
} else {
uniques.add(uefv);
}
}
}
public void testGetUniqueValues() throws IOException {
Set<KeyValuePair> uniques = new HashSet<KeyValuePair>();
List<KeyValuePair> uVals = netCDF.getUniqueValues();
List<KeyValuePair> uefvs = netCDF.getUniqueFactorValues();
assert (uVals.size() >= uefvs.size());
for (KeyValuePair uefv : uVals) {
if (uniques.contains(uefv)) {
fail("Found a duplicate: " + uefv);
} else {
uniques.add(uefv);
}
}
}
public void testGetCharacteristics() throws IOException {
System.out.print("SCs: {");
for (String characteristic : netCDF.getCharacteristics()) {
System.out.print(characteristic + ", ");
}
System.out.println("}");
}
public void testGetCharacteristicValues() throws IOException {
for (String characteristic : netCDF.getCharacteristics()) {
System.out.print("SCVs: {");
for (String scv : netCDF.getCharacteristicValues(characteristic)) {
System.out.print(scv + ", ");
}
System.out.println("}");
}
}
}
| [
"[email protected]"
] | |
e89bc3a098594a339f36f86fb3a33647e4a6c2d4 | 0a0752dd39277c619e8c89823632b0757d5051f3 | /batik/classes/org/apache/batik/extension/svg/RegionInfo.java | 98701b1d35a9b85ed47e7785107423277908997e | [
"Apache-2.0"
] | permissive | anthonycanino1/entbench | fc5386f6806124a13059a1d7f21ba1128af7bb19 | 3c664cc693d4415fd8367c8307212d5aa2f3ae68 | refs/heads/master | 2021-01-10T13:49:12.811846 | 2016-11-14T21:57:38 | 2016-11-14T21:57:38 | 52,231,403 | 0 | 2 | null | null | null | null | UTF-8 | Java | false | false | 13,639 | java | package org.apache.batik.extension.svg;
public class RegionInfo extends java.awt.geom.Rectangle2D.Float {
private float verticalAlignment = 0.0F;
public RegionInfo(float x, float y, float w, float h, float verticalAlignment) {
super(
x,
y,
w,
h);
this.
verticalAlignment =
verticalAlignment;
}
public float getVerticalAlignment() { return verticalAlignment;
}
public void setVerticalAlignment(float verticalAlignment) { this.
verticalAlignment =
verticalAlignment;
}
public static final java.lang.String jlc$CompilerVersion$jl7 =
"2.7.0";
public static final long jlc$SourceLastModified$jl7 =
1471188908000L;
public static final java.lang.String jlc$ClassType$jl7 =
("H4sIAAAAAAAAALUYa2wUx3l8fr/wAwzEgAFzEBnIbaChBZkQjLGD6Rksm1jq" +
"kXDM7c3dLd7bXXbn7LMJLUGqoFWDKCGERAm/iEgRj6hq1FZtIqqoTaKklZLQ" +
"pmkVUrWVSpuiBlVNH7RNv5nZ29edTZFaSzu3nvm+b773Yy/cQJWWiTqIRiN0" +
"0iBWpE+jQ9i0SLJXxZa1C/bi8lPl+M97ru/YEEJVMTQrg61BGVukXyFq0oqh" +
"RYpmUazJxNpBSJJhDJnEIuY4poquxVCbYg1kDVWRFTqoJwkDGMVmFLVgSk0l" +
"kaNkwCZA0aIocCJxTqSe4HF3FDXIujHpgs/3gPd6Thhk1r3Loqg5ug+PYylH" +
"FVWKKhbtzptolaGrk2lVpxGSp5F96jpbBduj64pU0Pli0ye3jmeauQpmY03T" +
"KRfPGiaWro6TZBQ1ubt9Ksla+9EXUXkU1XuAKQpHC5dKcKkElxakdaGA+0ai" +
"5bK9OheHFihVGTJjiKKlfiIGNnHWJjPEeQYKNdSWnSODtEscaYWURSI+uUo6" +
"+dSe5m+Wo6YYalK0EcaODExQuCQGCiXZBDGtnmSSJGOoRQNjjxBTwaoyZVu6" +
"1VLSGqY5MH9BLWwzZxCT3+nqCuwIspk5meqmI16KO5T9X2VKxWmQda4rq5Cw" +
"n+2DgHUKMGamMPidjVIxpmhJihYHMRwZw58HAECtzhKa0Z2rKjQMG6hVuIiK" +
"tbQ0Aq6npQG0UgcHNClqn5Yo07WB5TGcJnHmkQG4IXEEULVcEQyForYgGKcE" +
"VmoPWMljnxs7Nh47oG3TQqgMeE4SWWX81wNSRwBpmKSISSAOBGLDyugpPPfl" +
"oyGEALgtACxgvv3ozc2rO668LmAWlIDZmdhHZBqXzyZmvb2wt2tDOWOjxtAt" +
"hRnfJzmPsiH7pDtvQIaZ61Bkh5HC4ZXhH33h0HnyUQjVDaAqWVdzWfCjFlnP" +
"GopKzAeJRkxMSXIA1RIt2cvPB1A1vEcVjYjdnamURegAqlD5VpXO/wcVpYAE" +
"U1EdvCtaSi+8G5hm+HveQAhVw4Ma4FmMxB//pehhKaNniYRlrCmaLg2ZOpPf" +
"kiDjJEC3GSkBXj8mWXrOBBeUdDMtYfCDDLEPIGiIZoGMkjWeloZJGl4HgIsI" +
"8zLj/0w/z+SbPVFWBqpfGAx8FWJmm64miRmXT+a29N28FH9TOBULBFszFHXB" +
"lRFxZYRfGXGujMCVEfdKVFbGb5rDrhYGBvOMQaBDpm3oGnlk+96jneXgWcZE" +
"BeiWgXb6Kk6vmw0KKTwuX25tnFp6bc2rIVQRRa1YpjmssgLSY6YhNcljdvQ2" +
"JKAWuSVhiacksFpm6jJJQkaarjTYVGr0cWKyfYrmeCgUChYLTWn6clGSf3Tl" +
"9MRjo1+6N4RC/irArqyEBMbQh1judnJ0OBj9peg2Hbn+yeVTB3U3D/jKSqEa" +
"FmEyGTqDvhBUT1xeuQS/FH/5YJirvRbyNMUQV5ACO4J3+NJMdyFlM1lqQOCU" +
"bmaxyo4KOq6jGVOfcHe4k7bw9zngFvUs7trgCduByH/Z6VyDrfOEUzM/C0jB" +
"S8L9I8ZzP//J7z/D1V2oHk2esj9CaLcnYzFirTw3tbhuu8skBOA+OD30xJM3" +
"juzmPgsQy0pdGGZrL2QqMCGo+cuv73//w2tnr4ZcP6dQsnMJ6HzyjpBsH9XN" +
"ICTctsLlBzKeClmBeU34IQ38U0kpOKESFlj/bFq+5qU/HmsWfqDCTsGNVt+e" +
"gLt/1xZ06M09f+3gZMpkVnFdnblgIo3Pdin3mCaeZHzkH3tn0dOv4eegIEAS" +
"tpQpwvNqJddBpT/WWTyN5BIWxKWSBTOM2yVq7dBe+Wh46Lei/NxVAkHAtb0g" +
"PT763r63uJFrWOSzfSZ3oyeuIUN4PKxZKP9T+CuD59/sYUpnGyLVt/ba9WaJ" +
"U3AMIw+cd83QIfoFkA62fjj27PWLQoBgQQ4Ak6Mnv/pp5NhJYTnRtSwrahy8" +
"OKJzEeKwZQPjbulMt3CM/t9dPvi9Fw4eEVy1+mtwH7SYF3/2r7cip3/1Ron0" +
"DyGkY9F73sec2Undc/zWESJt/UrT94+3lvdD1hhANTlN2Z8jA0kvTWi7rFzC" +
"Yy63H+IbXuGYaSgqWwlWYBvrAwvfXMdZu9dhEHEGET/bxpblljeh+g3o6bbj" +
"8vGrHzeOfvzKTa4Ef7vuzR+D2BAWaGHLCmaBecGCtw1bGYC778qOh5vVK7eA" +
"YgwoylDArZ0mFNy8L9vY0JXVv/jBq3P3vl2OQv2oDrSe7Mc8caNayJjEykCt" +
"zhsPbBYJY6IGlmYuKioSvmiDBe3i0umgL2tQHsBT35n3rY3nzlzjmcsQNBY4" +
"5l7oq9R86HOLxfl3P/fTc18/NSEcbIZwCeDN/8dONXH4138rUjmvjSUiKIAf" +
"ky4829676SOO7xYphh3OF7c8UOhd3LXns38JdVb9MISqY6hZtoesUazmWOqP" +
"wWBhFSYvGMR85/4hQXTE3U4RXhgMYc+1wfLojYsK6osBtyKyrhStgqfTLhad" +
"wYpYhvhLjKPczdeVbLmnUICqDVOBQZwEKlD9DEQpaoFeCEY/rPaoMNBlwQGc" +
"2JvN6QywZbegGS3lmOLobrascm7mf1XBTttb+1zPQyy8Fk03DPHkdvbwyTPJ" +
"nc+vCdlBv5lCvOjGPSoZJ6qHVIhR8jnxIB//XI/4YNaJ33w3nN5yJ50m2+u4" +
"TS/J/l8M7rhy+rgIsvLa4T+079qU2XsHTePigJaCJL8xeOGNB1fIJ0J81hWu" +
"WjQj+5G6/Q5aZxIY6jV/ql7m2LWF2Ws5PJJtV6l041bCJZx2aDrUGZK8NcNZ" +
"ji0wlM5JEzpa0pldP9Zn8OP/IsGyjWGD7+/z97L3w7Pelmv9natkOtSA2HZh" +
"dgvjoRn0cpgtB0AvVgm9cIxuu71gPw9QVDGuK0lXV4/+L3SVp6jOHR5ZhZpf" +
"9G1KfE+RL51pqpl35qH3eGQ63zwaIMZSOVX15lDPe5VhkpTC5W0QGVW0EY/D" +
"DDPzTEtROayc768JnOMUtU+PAxnHefdiPUFRcxALOir+64U7BZpw4WBcEC9e" +
"kKeBJwBhr88IL5tP7YqOJ2gkTfQsTOIyhG1aJWu3wlACXVu+zJ9KHfu13c5+" +
"nuy7zJe1+EfGQobJic+MMKOf2b7jwM3PPi+GLlnFU1OMSj00e2L+c7LU0mmp" +
"FWhVbeu6NevF2uWFfN4iGHYDZYHHkYfB5Q3mOu2BicQKO4PJ+2c3vvLjo1Xv" +
"QJOwG5VhimbvLq7eeSMH5WF3tLiphYzOR6XurmcmN61O/emXvD9CRV1RED4u" +
"Xz33yLsn5p+Fkap+AFVCqSJ53lZsndTAVONmDDUqVl8eWAQqClZ9HfMs5uWY" +
"fX7kerHV2ejsspGdos7icaH4Qwf0khPE3KLntCTP21BR3B3f189Cos8ZRgDB" +
"3fGMVFtFkmDWAPeMRwcNozBN1f7d4GHeVypB9XHsi/yVLZf+A0ScK8KAGAAA");
public static final java.lang.String jlc$CompilerVersion$jl5 =
"2.7.0";
public static final long jlc$SourceLastModified$jl5 =
1471188908000L;
public static final java.lang.String jlc$ClassType$jl5 =
("H4sIAAAAAAAAALVae8zj2FX3fLszszvd3Znddh8s7T5nC7spn5M4T21fsRPb" +
"cZzYjhM7NqVTx76J7fgVv/IoW9pKfdCiUsFu2UrtIkEroNo+QFQgoaJFCNqq" +
"FVJRxUuirRAShVKp+wcFUaBcO/M9Z3bKCojkm5vre84959xzfvfec/P8d5Gz" +
"UYgUAt/ZzB0/3gfreN92qvvxJgDRPsNWeS2MgEE4WhSNYNsV/ZHPXfz+Dz5s" +
"XtpDzqnIKzXP82MttnwvGoLId1JgsMjFo9aOA9woRi6xtpZqaBJbDspaUfwk" +
"i7ziGGmMXGYPREChCCgUAc1FQFtHvSDR7cBLXCKj0Lw4WiLvQM6wyLlAz8SL" +
"kYdPMgm0UHOvsuFzDSCHW7LfElQqJ16HyEOHuu90vkbhZwro07/y1ku/cxNy" +
"UUUuWp6YiaNDIWI4iIrc5gJ3CsKoZRjAUJE7PQAMEYSW5ljbXG4VuSuy5p4W" +
"JyE4NFLWmAQgzMc8stxteqZbmOixHx6qN7OAYxz8OjtztDnU9Z4jXXcaklk7" +
"VPCCBQULZ5oODkhuXlieESMPnqY41PFyD3aApOddEJv+4VA3expsQO7azZ2j" +
"eXNUjEPLm8OuZ/0EjhIj978k08zWgaYvtDm4EiP3ne7H717BXrfmhshIYuTu" +
"091yTnCW7j81S8fm57uD13/o7R7t7eUyG0B3MvlvgUQPnCIaghkIgaeDHeFt" +
"T7Af0e75wvv3EAR2vvtU512f3/vZF9/8ugde+NKuz49fpw83tYEeX9E/Mb3j" +
"a68mHm/elIlxS+BHVjb5JzTP3Z+/+ubJdQAj755DjtnL/YOXLwz/VHnnp8B3" +
"9pALXeSc7juJC/3oTt13A8sBIQU8EGoxMLrIrcAziPx9FzkP66zlgV0rN5tF" +
"IO4iNzt50zk//w1NNIMsMhOdh3XLm/kH9UCLzby+DhAEOQ8f5Db4PIjsPvl3" +
"jLwFNX0XoJqueZbno3zoZ/pHKPDiKbStiU6h1y/QyE9C6IKoH85RDfqBCa6+" +
"gEEDvAjqiEbpHB2COax2oRT7mZcF/8/815l+l1ZnzkDTv/p04DswZmjfMUB4" +
"RX86wTsvfubKV/YOA+GqZWLkcTjk/m7I/XzI/cMh9+GQ+0dDImfO5CO9Kht6" +
"N8FwehYw0CEE3va4+DPM297/yE3Qs4LVzdC2WVf0pZGYOIKGbg6AOvRP5IVn" +
"V++Sfq64h+ydhNRMXNh0ISPnMyA8BLzLp0Ppenwvvu/b3//sR57yj4LqBEZf" +
"jfVrKbNYfeS0YUNfBwZEvyP2Tzykff7KF566vIfcDAEAgl6sQSeFePLA6TFO" +
"xOyTB/iX6XIWKjzzQ1dzslcHoHUhNkN/ddSSz/gdef1OaONXZE58N3wuX/Xq" +
"/Dt7+8ogK1+185Bs0k5pkePrG8Tg43/1Z/+I5eY+gOKLxxY3EcRPHgv/jNnF" +
"PNDvPPKBUQgA7Pe3z/K//Mx33/fTuQPAHo9eb8DLWUnAsIdTCM38ni8t//qb" +
"3/jE1/eOnCaG618ydSx9fahk1o5cuIGScLTXHskD4cOBIZZ5zeWx5/qGNbO0" +
"qQMyL/2Pi4+VPv/PH7q08wMHthy40et+NIOj9h/DkXd+5a3/+kDO5oyeLV9H" +
"NjvqtsPEVx5xboWhtsnkWL/rz1/z0S9qH4foChEtsrYgB6mzuQ2yLczjN9jC" +
"hJYLZyO9CvvoU3d9c/Gxb396B+mn14hTncH7n/7AD/c/9PTesYX00WvWsuM0" +
"u8U0d6PbdzPyQ/g5A5//yp5sJrKGHZjeRVxF9IcOIT0I1lCdh28kVj4E+Q+f" +
"feoPfvOp9+3UuOvkOtKB26RP/8V/fnX/2W99+ToQBj3X1/KZxE4VudxoLvcT" +
"ebmfCZpbGcnfPZkVD0bHYeSkwY9t2K7oH/76926XvveHL+YynNzxHY+avhbs" +
"LHZHVjyUGeDe05hJa5EJ+1VeGLzlkvPCDyBHFXLU4RoQcSHE7PWJGLva++z5" +
"v/mjP77nbV+7CdkjkQtQaYPUcrhCboU4ASITwv06eNObd2GyugUWl3JVkWuU" +
"34XXffmvm2/scGS2YTsCu/v+nXOm7/67f7vGCDlGX8cHT9Gr6PMfu59443dy" +
"+iOwzKgfWF+7jsHN7RFt+VPuv+w9cu5P9pDzKnJJv7pzljQnySBIhbvF6GA7" +
"DXfXJ96f3PnttjlPHi4Grz4dBMeGPQ3TR84H61nvrH7hFDJnWw2kAJ9HroLW" +
"I6eR+QySV7o5ycN5eTkrfuIACM8HoZXCGMo5V2LkzhQuKZauOS0HbsBduIM4" +
"dPRLOfnrs4LZzeybXtIL2jm79Rk4wtnyfn2/mP0Wri/FTVn1JyEmR/kpIQs1" +
"y9OcA4nutR398kHMS/DUAN3gsu3UczZ3w3NS7sGZwfd3W+1Tslb+x7JCD73j" +
"iBnrw137B//+w1/9xUe/Cd2IQc6m2RRD7zk24iDJDjLvff6Z17zi6W99MF9i" +
"oFmln//t+rcyrm+5kcZZMc4K6UDV+zNVxXyXxmpR3M9XBWAcals8pk8thmuL" +
"/7/QNr79WboSdVsHH3asaOXVeI05jVmIrlqrbWfeIrcd3OtONcLE1YVgs1S7" +
"NlxEbsleLibtfl3HDNaoTyeTqVdn+ww7ppY+Kbd7BNUZtlzU6syHds1clkg1" +
"7i6X/kjrLRyVFQJ3IY1DWRKDxMIdaUDXh4O06qnlJjBGKqmJ2wTzUrcwrdcx" +
"ZYPqAiPL1mjZHVqDYtHC5aBTsIWmVRRZZrJWtRKBTq2GwzuFfrMeJqjS6TBS" +
"fySE81oJp6RkMdmQy6K/NIdK4I61LbMeBLjIMGab8TrdRKkE/jJZS8RUmZcW" +
"bUkekqOlz6wWbaovuSQrzcVF0Vlog8WKUFtFrevrBLMeLUVQoUmMbE+6iU0H" +
"8wjF5rxRG5nmohRirL+cV5N5gVc2Dk1Kcq9nTuNtEPuORoWLsiMFa0oMqmSz" +
"ZgdT3EjsWiUYF3nHKm4AZrtAS6CVlCI26g1nPGVpcujXRioulJJp3OxFjlZo" +
"dibjyWJcmiStnhDQRNXo6b1Fx1lrC0OjWoWiZlWnvSZnApq0TIkaMbbV6zkz" +
"q0sNPFpmbL4DBKU3METZE7l23Il0TZHHQ7FbSMZ+rQBP5FW3IPs1RdGcXrGj" +
"a1y7sxYSQqAIa6LibSr2XFFkKM4fCgPbXuOjleZvVCmplSRWpJZKtU83cVZe" +
"bdU1McIK3pJIVt0oWFQhsrndUq3HVUfNSVnqrWVXMLRKuKwSK69Qbs/pca9P" +
"aW6ftwxb6q4D12QsU6H7w5W6qjboVoeIt2ZPK6rlsGcLfapmSknX6sVTodha" +
"1rxAoIrjuU4PCGfpVRW/WJfx6ojSGY92FwJV6U46nTEr6R1hQ/qhMqd6ekdy" +
"fV7uO7a3juoDs1L3KWwkLOd90KmIsjxplFYDcbjCA7cndkWxxeEU294k84Dn" +
"4cZgQ3Va7DxuEet5mmL+Vi+HXK3WYN2W7HTbqmuYtIovJ9uN6qbT8ioux21O" +
"5ux13IrNoTdjti4fWXQ9aMep0NVU6LYLs0oTFXVi0hhmFmlvMxZsqa21lrJk" +
"bOUZYZOOx1N+0Nu2ADNcrPvipNsqDbtxWU95vNQqpR1dshXbgOvIGB6vWkun" +
"XZWCCYeudClQWp1xqWOkRKyJVqFBVU23QKdAaJnSqtLXKqTbX+MoGgATWnng" +
"WcrQCQlXY+dllQv42cJq20yHwChxgU/shitPQg7Hwdho92NlRrTbbIfvUlZX" +
"9an+wpaB46sM5VToeTfqNrasjRZX6LYgTnmJlPFlMKNa6wYpM65bq7jW0J2M" +
"Clq5OSg3SLo54vAxi5PRlqQnuDMk16oynFETKrH7hNSZGT2JnFLTatgOTYXC" +
"U64vaHg7cDGf8pxFAUaXByZzWVc7OLDk+WRa6y1qqbsq9nqjVTIpV2OPDGpT" +
"OF9dSRgOtZIS2G4UzVlRqSnmQHdsIxXKTK8lJ6JkWpq+iMjArdkMIyw0LbRH" +
"ikSFRV3ubWZK6AJiPiZMhR3JXk13KHGGjZxmf2j7pUJtUBkSqBW2wuWmg/en" +
"glmyE8NjihxuNwMwL9NTr7AB0gjHxlgbtXvisqORbmdDjZbt1MTHo9IaJIKI" +
"kjRaVRgrTIfTzaA/FqRqi+AqDFYYMH1jQzr9krMUOGI8dbX1xq/0uGXNpiRu" +
"ptOgsqhPV82tNyfTcVSPwzlhJPiGRtWatGmHM64z3vZRomjjYoNtdhvqlkdR" +
"pr5F2yWp7NOLMojsJqGxuqdsSSscrbB4aiZJI1rgXKvAtbHimuljdgKdeR4J" +
"m2JgUJQasmVh2Scov6AnaR1D0VU59sKKqvM1Q4i8PlOjtxs7wCO6ORl0iZEe" +
"R6yDb3uAcFzoUVilK2CNcXERcL2OSDo2OiWXhepyjNJuJM+WbWIUUQMpLoA5" +
"G6OltVqs9YvNWQGbq/1gIXmk4U2dedfHeMPyMJfQgEpvFzQWe0WDSysAzLud" +
"lhgHQrBKB0vGMPBghMryaDOo4l153ZNFfMT1yxtpWTdwUJDNSo0FFjpYS60F" +
"3YqnxTk/qtewsIYlDBnKnLidiSrmb0DSHQ8qfG+t9vjmqEAk7WoTjZRx4FEb" +
"VorRqdaUNWaMtfrdVUE3GpjQnfnkolUrz2y7XOdlVvDxuSBUWota30vRIKgO" +
"TEYZecNYXIWauWlwPWbbAb2VKvD2NHH6MUb00bhp8KnVJFcV0JE2pYIbr+i6" +
"qJAYWg7ruhVgaGnoe8X2hlooTbKORUAvjz1DR7dyR2RidByOmpUC5qRGu2Sa" +
"rcHIGZTVht0qLtKRbNVDcksomxpGF7rTSUIpmjhfyitHVvA0bK3S2aRvqEnT" +
"MDt0h+qM0Ok6mDqODczCHPNr06ndSKmQ3gJulm57I63SmdXTZDsstMt4S9Yo" +
"moUQgwOdIuJVaUopRL3eWHJmNZV6ddBS5it/47RboVp0ycEGemiqFJmJlKI2" +
"vsR4LHXKnJCW/XYognpfb+jaQNswdmezyNaKiJ/iCqPUupTjKknP8sXUtdo4" +
"wKxi4s7ZcizQET7Cqh4WKpi3dba2q0fCAFcqVafuL5vDRo3m2PXMwXh0NtJL" +
"DXQgdvRpV10RoD1AGwY3mNCVEtYIx7ab2uLY6nVbs8Wm0ig3a/WayHH1tRKY" +
"JsaRdb0x5kwDYydehDUYQ5o2+11xqdRMNfZBBPcnrswt+ZWMm6SopFR/2Kii" +
"FVOYjDrYuDKcmPO+ohdKqxnr20rUq/kRHm96m9AU4/lyNmJNzVgpgWKmJmv3" +
"eH1rAGnKut64SyzbEocL6qrTc9rNdkcINJ8EREdBQ17z+wPcWQmUXmbSQU3Y" +
"rNQpmFMi5rgc609DLdLdujsrTfBRHE8LpS0vbDYNclHE2jy9MNLpajPiGU8v" +
"pITh4GnVIVLOpngRAn9tSUtdc9iAK2sXrimTLlpRBhqDYSvMG1Q3TLXolgtJ" +
"ZSSiDOo0+vXQ3BRCuFKkrFYZFYr15nJcnkT0CPDWnNEIhm2sAUcN8NKsyxSZ" +
"RsmUE9kW7EKVqqFCVVPXXaVmS+jSqbtlVibLclTlGSaWak6xUpoSjLoua+1w" +
"TKm9xkAfqLZVXDn9KtPZBloxcAy+qXoNjke7EbWxZapdL6DbZp3FVnUeOG7a" +
"9LR4wcViq0yrpjFPbX/oFfVgHuPFVirN3abeXSdJvTTnV01BalNJr+hMpApa" +
"YDFRCmo2Rw+rqqkGsyZV6s06hSFbLQXLwMGqSxoDlFDDtiut21dFTpqUqk6b" +
"B1XJXAQjoioXBUqSi3C62u02vx114iGnbfR6rcF4XH8cjwt8a+3RYGZY/Jgc" +
"6usWy1lhoVYZ13E1WFVkXO8QTbDoAZxZ4WbYaHTZaszXlSXHlOeL0UyIRlx3" +
"Y1IljZETbOW0iImUFLZMs0fPkhKmVwtesqlvGVAqdGaU4E8ZSy/0+z1uVp7W" +
"7VUf43mrQLGOR45LXF+0i0VQZgt6nR0XXTcgZVOagqQ2AClZTmRyNqhYFK20" +
"VYWmF8oMrwqYyyVl3NKFHlfhmUJZx9KUhWvnJBUYbkVBO1juNGWXdQDEPl2V" +
"SSxmrcBUttywNklCV3cHtRKHAneStpvEUCoNO+1KMtli2IaNvGpQIBdaUGiR" +
"ErEUmSrmqJFnjFoSN3Db7fFSchpAbglLwlGb9KwfVRNZmU3qCxDSUhnYURRQ" +
"hh/V4dGYrgirWXFh8h2sx3oxMeLLJXyI4dis1GgSftRQh/M2/AVPD2RMLty2" +
"3OIB3LrqA3+LD0qzulGhaCBtArw5oSML3UisOiu0iqLea/RaFDyKZUc08+Ud" +
"He/MT8mHt1PwxJi9mLyM0+Hu1cNZ8dhhhiH/nDt9o3E8LXqU4UGyHNRrXurS" +
"KU/AfeLdTz9ncJ8s7V3NjNVj5NbYD37KASlwjrHag5yeeOlkUT+/czvK2Hzx" +
"3f90/+iN5tteRkb/wVNynmb5W/3nv0y9Vv+lPeSmw/zNNbeBJ4mePJm1uRCC" +
"OAm90YnczWsOLZtb9zH4oFcti14/q379xE3uBbu5v0Hi8R03ePfOrNjEyKvm" +
"IJaum/M5cpvtj0oqHGeeN6Qnbw/eAJ/GVT0b/zd6njnqsMvAfuAGyv5CVrwH" +
"KhtdR9nrplZS3zKODPDel2OAdYxcOLrQyrLz911zX76749U/89zFW+59bvyX" +
"+Z3O4T3srSxyyyxxnOMpwGP1c0EIZlau1627hGCQf30kRh648T1bjNwEy1zg" +
"Z3Y0H42R+1+aBkbnYf041cdi5NJpqhg5m38f7/er0BJH/WLk3K5yvMuvQZlg" +
"l6z668FBSu/BPMGmreL9OfDd/SHQYYDNHVBuXyazLPz6zEnYOZynu37UPB1D" +
"qkdP4Ev+x4cDLEh2f324on/2OWbw9hdrn9zdXemOtt1mXG5hkfO7a7RDPHn4" +
"Jbkd8DpHP/6DOz5362MH2HfHTuAj7z8m24PXvyjquEGcX+1sf//e3339bzz3" +
"jTzh+N8YM0W6kSIAAA==");
}
| [
"[email protected]"
] | |
aed9e91ba0aeb448f2ba5847caf2a14d5257a526 | 51d9cc076ea22b085f320087fd864722e7139984 | /ssm/src/com/zs/test/dao/inf/AddressDao.java | 88b496802ced8c7f541f1fbdc15b4ee4e4afd3b5 | [] | no_license | lixue59/mygit | 2706102459b240e0c04ca4833c1d6f9128f99046 | b176ac3e6ea4bd3b13eb7f64498005f57863741a | refs/heads/master | 2020-03-10T17:41:10.928673 | 2018-07-24T04:09:15 | 2018-07-24T04:09:15 | 129,505,985 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 460 | java | package com.zs.test.dao.inf;
import java.util.List;
import com.zs.test.entity.Address;
public interface AddressDao {
/**
* 通过id获取address
* */
public Address getAddressById(int id);
/**
* 通过userid获取address的list
* */
public List<Address> getAddressListByUserid(int userid);
/**
* 删除某个地址通过id
* */
public int deleCartById(int id);
/**
* 添加地址
* */
public int addAddress(Address address);
}
| [
"[email protected]"
] | |
968dbadae9445de80fb73de889e27b5506e34a82 | b004529299cf2e7c7c4f938de10c5b8d90e535ec | /src/test/java/com/cea/digitalworld/dwmicroservice2/web/rest/LogsResourceIntTest.java | fd4659778ade453b6b7e230374d337d490e39a44 | [
"Apache-2.0"
] | permissive | flefevre/jhipsterangularjsmd5 | 0b43c58c856cded193bc03d931aac7731a98c8d6 | 7920d786874047a3c93d828e53644845968f97e2 | refs/heads/master | 2020-03-28T06:26:21.259214 | 2018-09-17T09:19:26 | 2018-09-17T09:19:26 | 147,834,294 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,529 | java | package com.cea.digitalworld.dwmicroservice2.web.rest;
import com.cea.digitalworld.dwmicroservice2.Jhipsterangularjsmd5App;
import com.cea.digitalworld.dwmicroservice2.web.rest.vm.LoggerVM;
import ch.qos.logback.classic.AsyncAppender;
import ch.qos.logback.classic.LoggerContext;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.MockitoAnnotations;
import org.slf4j.LoggerFactory;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.http.MediaType;
import org.springframework.test.context.junit4.SpringRunner;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.setup.MockMvcBuilders;
import static org.assertj.core.api.Assertions.assertThat;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.get;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.put;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
/**
* Test class for the LogsResource REST controller.
*
* @see LogsResource
*/
@RunWith(SpringRunner.class)
@SpringBootTest(classes = Jhipsterangularjsmd5App.class)
public class LogsResourceIntTest {
private MockMvc restLogsMockMvc;
@Before
public void setup() {
MockitoAnnotations.initMocks(this);
LogsResource logsResource = new LogsResource();
this.restLogsMockMvc = MockMvcBuilders
.standaloneSetup(logsResource)
.build();
}
@Test
public void getAllLogs()throws Exception {
restLogsMockMvc.perform(get("/management/logs"))
.andExpect(status().isOk())
.andExpect(content().contentType(MediaType.APPLICATION_JSON_UTF8_VALUE));
}
@Test
public void changeLogs()throws Exception {
LoggerVM logger = new LoggerVM();
logger.setLevel("INFO");
logger.setName("ROOT");
restLogsMockMvc.perform(put("/management/logs")
.contentType(TestUtil.APPLICATION_JSON_UTF8)
.content(TestUtil.convertObjectToJsonBytes(logger)))
.andExpect(status().isNoContent());
}
@Test
public void testLogstashAppender() {
LoggerContext context = (LoggerContext) LoggerFactory.getILoggerFactory();
assertThat(context.getLogger("ROOT").getAppender("ASYNC_LOGSTASH")).isInstanceOf(AsyncAppender.class);
}
}
| [
"[email protected]"
] | |
e55b8ea71658114e754ab5f8be2a3e205c90a887 | f7bfb4002968d980e4f90b97e13fe0b77f58a707 | /ICalculator.java | a796cc479145ea1e46b6c4ef4ac318c3709ab932 | [] | no_license | sunetra-git/Design_Principle | cbb6af2c71848a6b983be4c23491766e14de90a6 | d77e7f76594f06cade96c16426b294353338f891 | refs/heads/master | 2021-01-06T19:29:27.120789 | 2020-02-20T18:33:16 | 2020-02-20T18:33:16 | 241,460,175 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 76 | java | public interface ICalculator {
void calculate(IOperation operation);
} | [
"[email protected]"
] | |
bb486e7df9a7e7b2dc6eae013ecc52e908737fbf | a00b1800953c6955cae20f61bf57b0de22f60e5b | /src/test/java/com/algotrading/backtesting/pattern/test/ExitSignalTest.java | 2c0012c98631768fa49aab05b540a3db6de2fc78 | [] | no_license | algooproject/Algo-Project | af715e9741b243e183cfe5bd24426c177d47405f | dafad02ccf801f2daa1c5ef14a6299dffab36750 | refs/heads/master | 2022-12-21T07:55:27.914333 | 2021-07-07T01:30:37 | 2021-07-07T01:30:37 | 57,936,593 | 0 | 1 | null | 2022-12-10T03:59:16 | 2016-05-03T02:46:52 | Java | UTF-8 | Java | false | false | 2,817 | java | package com.algotrading.backtesting.pattern.test;
import static org.junit.Assert.assertTrue;
import java.text.ParseException;
import java.util.Date;
import org.junit.Test;
import com.algotrading.backtesting.pattern.ClosingHigherThanSignal;
import com.algotrading.backtesting.pattern.ExitSignal;
import com.algotrading.backtesting.pattern.NotSignal;
import com.algotrading.backtesting.portfolio.Portfolio;
import com.algotrading.backtesting.portfolio.PortfolioComponent;
import com.algotrading.backtesting.stock.Stock;
import com.algotrading.backtesting.util.Constants;
public class ExitSignalTest {
private Date date1, date2;
Portfolio portfolio1, portfolio2;
Stock stockExit;
protected static String RESOURCE_PATH_NAME = Constants.SRC_TEST_RESOURCE_FILEPATH
+ ExitSignalTest.class.getPackage().getName().replace('.', '/') + "/";
@Test
public void test001_ExitTriggered() throws ParseException {
date1 = Constants.DATE_FORMAT_YYYYMMDD.parse("2016-10-13");
date2 = Constants.DATE_FORMAT_YYYYMMDD.parse("2016-10-14");
portfolio1 = new Portfolio(date1, 0);
portfolio2 = new Portfolio(date2, 0);
stockExit = new Stock("SEHK_Exit");
stockExit.read(RESOURCE_PATH_NAME);
portfolio1.put(new PortfolioComponent(stockExit, 1000, 3, date1));
portfolio2.put(new PortfolioComponent(stockExit, 1000, 3, date2));
ExitSignal iebcdt = new ExitSignal(
new NotSignal(new ClosingHigherThanSignal("variable", "holdingprice", 1, 0.9)));
assertTrue(!iebcdt.signal(stockExit, date1, portfolio1, 20000));
assertTrue(iebcdt.signal(stockExit, date2, portfolio2, 20000));
iebcdt = new ExitSignal(new NotSignal(new ClosingHigherThanSignal("variable", "holdingprice", 1, 0.8)));
assertTrue(!iebcdt.signal(stockExit, date2, portfolio2, 20000));
}
@Test
public void test002_ExitNotTriggeredAsStockHasBeenDisabled() throws ParseException {
date1 = Constants.DATE_FORMAT_YYYYMMDD.parse("2016-10-13");
date2 = Constants.DATE_FORMAT_YYYYMMDD.parse("2016-10-14");
portfolio1 = new Portfolio(date1, 0);
portfolio2 = new Portfolio(date2, 0);
stockExit = new Stock("SEHK_Exit");
stockExit.read(RESOURCE_PATH_NAME);
stockExit.setStatus(false);
portfolio1.put(new PortfolioComponent(stockExit, 1000, 3, date1));
portfolio2.put(new PortfolioComponent(stockExit, 1000, 3, date2));
ExitSignal iebcdt = new ExitSignal(
new NotSignal(new ClosingHigherThanSignal("variable", "holdingprice", 1, 0.9)));
assertTrue(!iebcdt.signal(stockExit, date1, portfolio1, 20000));
assertTrue(!iebcdt.signal(stockExit, date2, portfolio2, 20000));
iebcdt = new ExitSignal(new NotSignal(new ClosingHigherThanSignal("variable", "holdingprice", 1, 0.8)));
assertTrue(!iebcdt.signal(stockExit, date2, portfolio2, 20000));
}
}
| [
"[email protected]"
] | |
8b88aac91acf8bc643df544af974701094fb7552 | 99db7a288dcb2f086514fd96fc366f291ee5d68c | /app/src/main/java/com/example/tjgaming/individualproject3/view/RegisterActivity.java | 3d21e0db2256346366e7d68087bf8b35aeff6322 | [] | no_license | tsparrow7/BCS421Project3 | f8f2aabb2a74c754b42fa1a94db11b63d4cbc832 | fe11034f3925254b56b59bbeb49faf83c573cf9e | refs/heads/master | 2020-04-04T13:25:57.654081 | 2018-11-04T01:24:53 | 2018-11-04T01:24:53 | 155,961,598 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,733 | java | package com.example.tjgaming.individualproject3.view;
import android.content.Intent;
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import android.widget.Toast;
import com.example.tjgaming.individualproject3.controller.Database;
import com.example.tjgaming.individualproject3.model.User;
import com.example.tjgaming.individualproject3.R;
public class RegisterActivity extends AppCompatActivity {
EditText mEmail;
EditText mPassword;
Button mRegBtn;
Database mDatabase;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_register);
initViews();
setListener();
mDatabase = new Database(getApplicationContext());
}
@Override
public void onBackPressed() {
super.onBackPressed();
}
private void setListener() {
mRegBtn.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (CorrectData()) {
//Creates a user object
User user = new User(mEmail.getText().toString(), mPassword.getText().toString());
//Passes user object to be registered in database
mDatabase.register(user);
//If registered successfully, brought back to login page to login to app
Toast.makeText(getApplicationContext(),"User Created!",Toast.LENGTH_SHORT).show();
startActivity(new Intent(RegisterActivity.this,LoginActivity.class));
finish();
} else {
Toast.makeText(getApplicationContext(),"Text Fields not filled correctly.",Toast.LENGTH_SHORT).show();
}
}
});
}
//Checks if the data being entered is not empty, that the first and last name are at least 3 characters long,
// and that the email address is in valid format.
private boolean CorrectData() {
if (EmptyViews()) {
return false;
} else {
return mEmail.getText().toString().contains("@") && mEmail.getText().toString().contains(".");
}
}
//Checks if any field is empty, returns true or false
private boolean EmptyViews() {
return mEmail.getText().toString().isEmpty() || mPassword.getText().toString().isEmpty();
}
private void initViews() {
mEmail = findViewById(R.id.email_address);
mPassword = findViewById(R.id.password);
mRegBtn = findViewById(R.id.register_btn);
}
} | [
"[email protected]"
] | |
20671b451f41ecf9ce8c48319b2bd64168617145 | 48e34286c9eba466d8d58d22bd586454f9d46ae3 | /mechanicrooms/app/src/main/java/com/developer/mechanicrooms/BrandModel.java | 7945a28c4eb17a71ddbbd56e89bfd5814613131b | [] | no_license | KesarkarMadhuri30/MechanicRoom | 721dfb8f37b66d2288e28a1ef03715f521def1bd | d9c14b5f4c541f87a2c0116b89ae07b525e197f2 | refs/heads/master | 2023-02-22T16:54:14.459265 | 2021-01-31T11:09:51 | 2021-01-31T11:09:51 | 334,632,776 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 553 | java | package com.developer.mechanicrooms;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
public class BrandModel {
@SerializedName("status")
private boolean status;
@SerializedName("base_url")
private String base_url;
@SerializedName("brand")
ArrayList<BrandInfoModel> brandinfo;
public boolean isStatus() {
return status;
}
public String getBase_url() {
return base_url;
}
public ArrayList<BrandInfoModel> getBrandinfo() {
return brandinfo;
}
}
| [
"[email protected]"
] | |
918b2ab70781fee48d1b6ed538cee8a5c1f361ac | dc1dbb7e5a4b95bf44170d2f51fd08b3814f2ac9 | /data_defect4j/preprossed_method_corpus/Math/56/org/apache/commons/math/linear/MatrixUtils_serializeRealMatrix_734.java | 3996ff4b6014dcbb50c63031a0073ed3b7da91c9 | [] | no_license | hvdthong/NetML | dca6cf4d34c5799b400d718e0a6cd2e0b167297d | 9bb103da21327912e5a29cbf9be9ff4d058731a5 | refs/heads/master | 2021-06-30T15:03:52.618255 | 2020-10-07T01:58:48 | 2020-10-07T01:58:48 | 150,383,588 | 1 | 1 | null | 2018-09-26T07:08:45 | 2018-09-26T07:08:44 | null | UTF-8 | Java | false | false | 2,228 | java |
org apach common math linear
collect method oper matric
version revis date
matrix util matrixutil
serial link real matrix realmatrix
method intend call
code write object writeobject code method call
code oo write object defaultwriteobject code
link real matrix realmatrix field declar code code
handl serial matrix link
real matrix realmatrix serializ method
serial specif
show simpl real matrix
written
pre code
name matrix namedmatrix serializ
string
real matrix realmatrix coeffici
omit constructor getter
write object writeobject object output stream objectoutputstream oo except ioexcept
oo write object defaultwriteobject take care field
matrix util matrixutil serial real matrix serializerealmatrix coeffici oo
read object readobject object input stream objectinputstream oi class found except classnotfoundexcept except ioexcept
oi read object defaultreadobject take care field
matrix util matrixutil deseri real matrix deserializerealmatrix coeffici oi
code pre
param matrix real matrix serial
param oo stream real matrix written
except except ioexcept object written stream
deseri real matrix deserializerealmatrix object string object input stream objectinputstream
serial real matrix serializerealmatrix real matrix realmatrix matrix
object output stream objectoutputstream oo
except ioexcept
matrix row dimens getrowdimens
matrix column dimens getcolumndimens
oo write int writeint
oo write int writeint
oo write doubl writedoubl matrix entri getentri
| [
"[email protected]"
] | |
f244e2ab2a0785e8c4fb8fc44f3ed8baee93fac6 | 4bfc4337e758d99bd3ee87f04af95d91ed8c36be | /src/main/java/com/hellomvp/client/mvp/AppActivityMapper.java | 2ed3ed955eb9cf97464c23ddda9402d1dda620ed | [] | no_license | methylene/gin-maven-hellomvp | 48a32d90da6cda9ae5f02ad0ee45fb8163fdcef6 | e2686f83441e47509d7c9464e7e4d0f641dfb1c5 | refs/heads/master | 2021-01-10T06:30:21.407283 | 2015-12-14T05:55:01 | 2015-12-14T05:55:01 | 47,931,563 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,075 | java | package com.hellomvp.client.mvp;
import com.google.gwt.activity.shared.Activity;
import com.google.gwt.activity.shared.ActivityMapper;
import com.google.gwt.place.shared.Place;
import com.google.gwt.place.shared.PlaceController;
import com.google.gwt.user.client.Window;
import com.google.inject.Inject;
import com.hellomvp.client.activity.GoodbyeActivity;
import com.hellomvp.client.activity.HelloActivity;
import com.hellomvp.client.place.GoodbyePlace;
import com.hellomvp.client.place.HelloPlace;
public class AppActivityMapper implements ActivityMapper {
@Inject
private PlaceHolder placeHolder;
@Inject
private HelloActivity helloActivity;
@Inject
private GoodbyeActivity goodbyeActivity;
/**
* Map each Place to its corresponding Activity. This would be a great use
* for GIN.
*/
@Override
public Activity getActivity(Place place) {
placeHolder.setCurrentPlace(place);
if (place instanceof HelloPlace)
return helloActivity;
else if (place instanceof GoodbyePlace)
return goodbyeActivity;
return null;
}
}
| [
"[email protected]"
] | |
e486e1a6fa4103a66428ba4812c30b1570187a4b | 0606f2f1dc5dabcdaa5bb234e5a82640d7de52c3 | /src/main/java/cn/com/rebirth/service/middleware/server/support/ServiceRegisterSupport.java | e7488ad40f95b8c46a46f8f6b40dbd4ad4231c36 | [] | no_license | dowsam/rebirth-service-middleware-server | 2ac64fb1154c2b48df7f5b01c4579be7c78609d0 | 47e800552e5b307d3f41a3cfff81e48649eb998a | refs/heads/master | 2021-01-18T16:32:31.404106 | 2012-09-05T06:01:26 | 2012-09-05T06:01:26 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 6,054 | java | /*
* Copyright (c) 2005-2012 www.china-cti.com All rights reserved
* Info:rebirth-service-middleware-server ServiceRegisterSupport.java 2012-7-17 14:42:34 l.xue.nong$$
*/
package cn.com.rebirth.service.middleware.server.support;
import static java.lang.String.format;
import java.util.List;
import java.util.Map;
import org.I0Itec.zkclient.IZkChildListener;
import org.I0Itec.zkclient.IZkStateListener;
import org.apache.zookeeper.Watcher.Event.KeeperState;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import cn.com.rebirth.commons.component.AbstractLifecycleComponent;
import cn.com.rebirth.commons.exception.RebirthException;
import cn.com.rebirth.commons.search.config.support.ZooKeeperExpand;
import cn.com.rebirth.commons.settings.Settings;
import cn.com.rebirth.service.middleware.commons.Message;
import cn.com.rebirth.service.middleware.commons.MessageSubscriber;
import cn.com.rebirth.service.middleware.commons.Messages;
import cn.com.rebirth.service.middleware.server.ProviderService;
import cn.com.rebirth.service.middleware.server.message.RegisterServiceMessage;
import com.google.common.collect.Maps;
/**
* The Class ServiceRegisterSupport.
*
* @author l.xue.nong
*/
public class ServiceRegisterSupport extends AbstractLifecycleComponent<ServiceRegisterSupport> implements
MessageSubscriber {
/** The messages. */
private final Messages messages;
/** The server support. */
private final ServerSupport serverSupport;
/**
* Instantiates a new service register support.
*
* @param settings the settings
* @param messages the messages
* @param serverSupport the server support
*/
protected ServiceRegisterSupport(Settings settings, Messages messages, ServerSupport serverSupport) {
super(settings);
this.messages = messages;
this.serverSupport = serverSupport;
}
/** The logger. */
private final Logger logger = LoggerFactory.getLogger(ServiceRegisterSupport.class);
/** The services. */
private Map<String, ProviderService> services;
/* (non-Javadoc)
* @see cn.com.rebirth.service.middleware.commons.MessageSubscriber#receive(cn.com.rebirth.service.middleware.commons.Message)
*/
@Override
public void receive(Message<?> msg) throws RebirthException {
if (!(msg instanceof RegisterServiceMessage)) {
return;
}
final ProviderService service = ((RegisterServiceMessage) msg).getContent();
final String key = service.getKey();
if (services.containsKey(key)) {
if (logger.isInfoEnabled()) {
logger.info(format("service:%s already registed.", service));
}
}
final String pref = format("/rebirth/service/middleware/nondurable/%s/%s/%s", service.getGroup(),
service.getVersion(), service.getSign());
try {
String _p = format("%s%s", pref, serverSupport.getPublishAddress());
ZooKeeperExpand.getInstance().create(_p);
services.put(key, service);
} catch (Exception e) {
logger.warn(format("create service:%s path failed", service), e);
}
}
/* (non-Javadoc)
* @see cn.com.rebirth.commons.component.AbstractLifecycleComponent#doStart()
*/
@Override
protected void doStart() throws RebirthException {
Messages.register(this, RegisterServiceMessage.class);
services = Maps.newConcurrentMap();
ZooKeeperExpand.getInstance().getZkClient().subscribeStateChanges(new IZkStateListener() {
@Override
public void handleStateChanged(KeeperState state) throws Exception {
if (KeeperState.SyncConnected.equals(state)) {
if (logger.isInfoEnabled()) {
logger.info("zk-server reconnected, must reRegister right now.");
}
for (ProviderService providerService : services.values()) {
messages.post(new RegisterServiceMessage(providerService));
}
}
}
@Override
public void handleNewSession() throws Exception {
}
});
}
/* (non-Javadoc)
* @see cn.com.rebirth.commons.component.AbstractLifecycleComponent#doStop()
*/
@Override
protected void doStop() throws RebirthException {
if (services != null && !services.isEmpty()) {
for (Map.Entry<String, ProviderService> entry : services.entrySet()) {
ProviderService service = entry.getValue();
final String pref = format("/rebirth/service/middleware/nondurable/%s/%s/%s", service.getGroup(),
service.getVersion(), service.getSign());
ZooKeeperExpand.getInstance().delete(format("%s%s", pref, serverSupport.getPublishAddress()));
}
}
}
/* (non-Javadoc)
* @see cn.com.rebirth.commons.component.AbstractLifecycleComponent#doClose()
*/
@Override
protected void doClose() throws RebirthException {
}
public static void main(String[] args) {
System.setProperty("zk.zkConnect", "192.168.2.179:2181");
System.setProperty("rebirth.service.middleware.container.className",
"cn.com.rebirth.knowledge.scheduler.InitContainer");
System.setProperty("rebirth.service.middleware.container.time.consuming.className",
"cn.com.rebirth.knowledge.scheduler.InitContainer$TimeConsumingInitContainer");
System.setProperty("rebirth.service.middleware.development.model", "true");
List<String> a = ZooKeeperExpand.getInstance().list(
"/rebirth/service/middleware/nondurable/DefaultGroup/defalut/36ae6073d9ddb59a1b348a08695f9011");
for (String string : a) {
System.out.println(string);
}
ZooKeeperExpand
.getInstance()
.getZkClient()
.subscribeChildChanges(
"/rebirth/service/middleware/nondurable/DefaultGroup/defalut/36ae6073d9ddb59a1b348a08695f9011",
new IZkChildListener() {
@Override
public void handleChildChange(String parentPath, List<String> currentChilds)
throws Exception {
System.out.println(currentChilds);
}
});
ZooKeeperExpand
.getInstance()
.create("/rebirth/service/middleware/nondurable/DefaultGroup/defalut/36ae6073d9ddb59a1b348a08695f9011/192.168.2.99:9701");
a = ZooKeeperExpand.getInstance().list(
"/rebirth/service/middleware/nondurable/DefaultGroup/defalut/36ae6073d9ddb59a1b348a08695f9011");
for (String string : a) {
System.out.println(string);
}
}
}
| [
"[email protected]"
] | |
1de269d8cf2733eb8cd71049b221278433cfa3d7 | 23b7de4bdb2848fd40b0231fdb92efe19b20d971 | /src/main/java/Order.java | 940c374c87b8c61dd47753e79204de5ae0988e5e | [] | no_license | micaelps/basic_kafka | d528730727a495add7229d884699d8a8a84c8bd1 | d4efc56cb506d7414370a06a1a327d0a7989efe8 | refs/heads/master | 2023-03-28T19:40:25.909711 | 2021-04-06T15:45:25 | 2021-04-06T15:45:25 | 354,906,167 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 301 | java | import java.math.BigDecimal;
public class Order {
private final String userId, orderId;
private final BigDecimal amount;
public Order(String userId, String orderId, BigDecimal amount) {
this.userId = userId;
this.orderId = orderId;
this.amount = amount;
}
}
| [
"[email protected]"
] | |
72347e145280e54e72096b11a641652e0a17bd64 | fd9c5d4ff3c1723fb735132218cedaf0f078cae6 | /blueprint/blueprint-spring/src/main/java/org/apache/aries/blueprint/spring/SpringApplicationContext.java | cc7ecc154ab1d01d56947c2307bfa6326343d496 | [
"Apache-2.0"
] | permissive | gaoliujie2016/aries | 607ffa10a135995fcd7d4d62064b24b81db33f4b | 3cf085c0d411183d6ef65f5a0bc36aae316c480c | refs/heads/trunk | 2021-09-24T02:15:48.282415 | 2021-09-16T02:20:57 | 2021-09-16T02:20:57 | 92,562,434 | 0 | 0 | null | 2017-05-27T01:56:30 | 2017-05-27T01:56:30 | null | UTF-8 | Java | false | false | 3,191 | java | /**
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.aries.blueprint.spring;
import java.util.ArrayList;
import java.util.List;
import org.apache.aries.blueprint.services.ExtendedBlueprintContainer;
import org.osgi.framework.Bundle;
import org.osgi.framework.wiring.BundleWiring;
import org.springframework.beans.BeansException;
import org.springframework.beans.factory.support.DefaultListableBeanFactory;
import org.springframework.context.support.AbstractApplicationContext;
public class SpringApplicationContext extends AbstractApplicationContext {
private final ExtendedBlueprintContainer container;
private final DefaultListableBeanFactory beanFactory;
private final List<ClassLoader> parentClassLoaders = new ArrayList<ClassLoader>();
public SpringApplicationContext(ExtendedBlueprintContainer container) {
this.container = container;
this.beanFactory = new BlueprintBeanFactory(container);
parentClassLoaders.add(container.getClassLoader());
setClassLoader(new ClassLoader() {
@Override
public Class<?> loadClass(String name) throws ClassNotFoundException {
for (ClassLoader cl : parentClassLoaders) {
try {
return cl.loadClass(name);
} catch (ClassNotFoundException e) {
// Ignore
}
}
throw new ClassNotFoundException(name);
}
});
prepareBeanFactory(beanFactory);
prepareRefresh();
}
public void process() {
// Invoke factory processors registered as beans in the context.
invokeBeanFactoryPostProcessors(beanFactory);
// Register bean processors that intercept bean creation.
registerBeanPostProcessors(beanFactory);
}
@Override
protected void refreshBeanFactory() throws BeansException, IllegalStateException {
}
@Override
protected void closeBeanFactory() {
}
@Override
public DefaultListableBeanFactory getBeanFactory() throws IllegalStateException {
return beanFactory;
}
public void addSourceBundle(Bundle bundle) {
// This should always be not null, but we want to support unit testing
if (bundle != null) {
parentClassLoaders.add(bundle.adapt(BundleWiring.class).getClassLoader());
}
}
}
| [
"[email protected]"
] | |
e43f4770c91a12a67bfb789961fd573e7711cd32 | d8d38aa8f46d81a9c7e3399dc44b917efba423ad | /start/src/main/java/wenlong/thread/bounce/BallComponent.java | feb8118216510c2b67b94b41e29a11bca24596d7 | [] | no_license | primarystudent/start | 8fda9afa8c1daa22468bfb85f8b2cc25c14efac7 | e0884d0fc67c9f0250a59f8f8a10544d58913f1e | refs/heads/master | 2021-06-09T19:46:54.959307 | 2019-05-28T10:11:23 | 2019-05-28T10:11:23 | 179,832,715 | 0 | 0 | null | 2021-06-04T01:52:58 | 2019-04-06T12:48:33 | Java | UTF-8 | Java | false | false | 737 | java | package wenlong.thread.bounce;
import java.awt.Dimension;
import java.awt.Graphics;
import java.awt.Graphics2D;
import java.util.ArrayList;
import java.util.List;
import javax.swing.JPanel;
public class BallComponent extends JPanel{
private static final int DEFAULT_WIDTH = 450;
private static final int DEFAULT_HEIGHT = 350;
private List<Ball> balls = new ArrayList<Ball>();
public void add(Ball b){
balls.add(b);
}
public void paintComponent(Graphics g){
super.paintComponent(g);
Graphics2D g2 = (Graphics2D)g;
for(Ball b:balls){
g2.fill(b.getShape());
}
}
public Dimension getPreFerredSize(){
return new Dimension(DEFAULT_WIDTH, DEFAULT_HEIGHT);
}
}
| [
"[email protected]"
] | |
8a1631b83890a460bc0b8a661d4b19d6d81d35e8 | e7efdd439a50328733b32ccdf427612a12affb87 | /app/src/androidTest/java/com/example/jsonrecyclerview/ExampleInstrumentedTest.java | 781dd43a22923c98bc4dda8ceb3dd9a8a056ce89 | [] | no_license | alexandrers2307/ProjetoJsonRecyclerView | 2863cd17fec385d3005f7598734e54f70746e9a1 | 63eaef119d5c513961ec42f5e7efcdd131af4801 | refs/heads/master | 2023-04-09T00:31:13.345775 | 2021-04-10T14:42:53 | 2021-04-10T14:42:53 | 356,459,538 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 770 | java | package com.example.jsonrecyclerview;
import android.content.Context;
import androidx.test.platform.app.InstrumentationRegistry;
import androidx.test.ext.junit.runners.AndroidJUnit4;
import org.junit.Test;
import org.junit.runner.RunWith;
import static org.junit.Assert.*;
/**
* Instrumented test, which will execute on an Android device.
*
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
*/
@RunWith(AndroidJUnit4.class)
public class ExampleInstrumentedTest {
@Test
public void useAppContext() {
// Context of the app under test.
Context appContext = InstrumentationRegistry.getInstrumentation().getTargetContext();
assertEquals("com.example.jsonrecyclerview", appContext.getPackageName());
}
} | [
"[email protected]"
] | |
e50d88f93d0339aa5b79454696c510cddeda1424 | 69a4f2d51ebeea36c4d8192e25cfb5f3f77bef5e | /methods/Method_1019979.java | 4c0ab1dd36076877fd0eddba8261e51d09e58cde | [] | no_license | P79N6A/icse_20_user_study | 5b9c42c6384502fdc9588430899f257761f1f506 | 8a3676bc96059ea2c4f6d209016f5088a5628f3c | refs/heads/master | 2020-06-24T08:25:22.606717 | 2019-07-25T15:31:16 | 2019-07-25T15:31:16 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 109 | java | @SuppressWarnings("unchecked") public static <A>Magnetize<A> magnetize(){
return (Magnetize<A>)INSTANCE;
}
| [
"[email protected]"
] | |
f19469d7a41d2367aecb9407ad2f89b53d209eb2 | c37d0d069fff859767d0f9a5fa9ca860e96d9339 | /src/test/java/com/google/devtools/build/android/desugar/testing/junit/DesugarRuleTest.java | 4e9ba091d5c3745192bb226e187deae4a642f1b6 | [
"Apache-2.0"
] | permissive | Squadrick/bazel | e759241ce3de4038bc42303250237ac4ba8ad9e5 | 5a8219ada648bae84d9d342c3dff67a5b6b14be2 | refs/heads/master | 2020-11-28T12:44:35.135463 | 2019-12-23T19:25:39 | 2019-12-23T19:26:30 | 229,814,062 | 1 | 0 | Apache-2.0 | 2019-12-23T19:50:40 | 2019-12-23T19:50:40 | null | UTF-8 | Java | false | false | 5,652 | java | /*
* Copyright 2019 The Bazel Authors. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.google.devtools.build.android.desugar.testing.junit;
import static com.google.common.truth.Truth.assertThat;
import static com.google.common.truth.Truth8.assertThat;
import static org.junit.Assert.assertThrows;
import com.google.common.flags.Flag;
import com.google.common.flags.FlagSpec;
import com.google.common.flags.Flags;
import com.google.testing.junit.junit4.api.TestArgs;
import java.lang.invoke.MethodHandles;
import java.lang.reflect.Method;
import java.nio.file.Paths;
import java.util.Arrays;
import java.util.zip.ZipEntry;
import org.junit.BeforeClass;
import org.junit.Rule;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.JUnit4;
import org.objectweb.asm.tree.ClassNode;
import org.objectweb.asm.tree.FieldNode;
import org.objectweb.asm.tree.MethodNode;
/** The test for {@link DesugarRule}. */
@RunWith(JUnit4.class)
public class DesugarRuleTest {
@FlagSpec(help = "The input jar to be processed under desugar operations.", name = "input_jar")
private static final Flag<String> inputJar = Flag.nullString();
@Rule
public final DesugarRule desugarRule =
DesugarRule.builder(this, MethodHandles.lookup())
.enableIterativeTransformation(3)
.addInputs(Paths.get(inputJar.getNonNull()))
.build();
@LoadClass(
"com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget$InterfaceSubjectToDesugar")
private Class<?> interfaceSubjectToDesugarClassRound1;
@LoadClass(
value =
"com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget$InterfaceSubjectToDesugar",
round = 2)
private Class<?> interfaceSubjectToDesugarClassRound2;
@LoadClass(
"com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget$InterfaceSubjectToDesugar$$CC")
private Class<?> interfaceSubjectToDesugarCompanionClassRound1;
@LoadClass(
value =
"com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget$InterfaceSubjectToDesugar$$CC",
round = 2)
private Class<?> interfaceSubjectToDesugarCompanionClassRound2;
@LoadZipEntry(
value =
"com/google/devtools/build/android/desugar/testing/junit/DesugarRuleTestTarget$InterfaceSubjectToDesugar$$CC.class",
round = 1)
private ZipEntry interfaceSubjectToDesugarZipEntryRound1;
@LoadZipEntry(
value =
"com/google/devtools/build/android/desugar/testing/junit/DesugarRuleTestTarget$InterfaceSubjectToDesugar$$CC.class",
round = 2)
private ZipEntry interfaceSubjectToDesugarZipEntryRound2;
@LoadAsmNode(
className = "com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget")
private ClassNode desugarRuleTestTargetClassNode;
@LoadAsmNode(
className =
"com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget$Alpha",
memberName = "twoIntSum")
private MethodNode twoIntSum;
@LoadAsmNode(
className =
"com.google.devtools.build.android.desugar.testing.junit.DesugarRuleTestTarget$Alpha",
memberName = "multiplier",
memberDescriptor = "J")
private FieldNode multiplier;
@BeforeClass
public static void parseFlags() throws Exception {
Flags.parse(TestArgs.get());
}
@Test
public void staticMethodsAreMovedFromOriginatingClass() {
assertThrows(
NoSuchMethodException.class,
() -> interfaceSubjectToDesugarClassRound1.getDeclaredMethod("staticMethod"));
}
@Test
public void staticMethodsAreMovedFromOriginatingClass_desugarTwice() {
assertThrows(
NoSuchMethodException.class,
() -> interfaceSubjectToDesugarClassRound2.getDeclaredMethod("staticMethod"));
}
@Test
public void staticMethodsAreMovedToCompanionClass() {
assertThat(
Arrays.stream(interfaceSubjectToDesugarCompanionClassRound1.getDeclaredMethods())
.map(Method::getName))
.contains("staticMethod$$STATIC$$");
}
@Test
public void nestMembers() {
assertThat(desugarRuleTestTargetClassNode.nestMembers)
.contains(
"com/google/devtools/build/android/desugar/testing/junit/DesugarRuleTestTarget$InterfaceSubjectToDesugar");
}
@Test
public void idempotencyOperation() {
assertThat(interfaceSubjectToDesugarZipEntryRound1.getCrc())
.isEqualTo(interfaceSubjectToDesugarZipEntryRound2.getCrc());
}
@Test
public void classLoaders_sameInstanceInSameRound() {
assertThat(interfaceSubjectToDesugarClassRound1.getClassLoader())
.isSameInstanceAs(interfaceSubjectToDesugarCompanionClassRound1.getClassLoader());
assertThat(interfaceSubjectToDesugarClassRound2.getClassLoader())
.isSameInstanceAs(interfaceSubjectToDesugarCompanionClassRound2.getClassLoader());
}
@Test
public void injectFieldNodes() {
assertThat(twoIntSum.desc).isEqualTo("(II)I");
}
@Test
public void injectMethodNodes() {
assertThat(multiplier.desc).isEqualTo("J");
}
}
| [
"[email protected]"
] | |
864b0133c386ad0bb9c3c0f1c8a84ecf2186c97d | 965bcdf4fd9fd62200adb55639f2b81c751af164 | /src/main/java/org/richardqiao/leetcode/ReverseString.java | 08e6155d7f37dd74905e96665f4bdbddc7a030bf | [] | no_license | richardqiao2000/java-data-structures | 82860c42d9dfb2697dfae509f21b3dd36b2d939e | 952010c68cb449d717e18eeb8d6d3089ccce76d3 | refs/heads/master | 2021-01-13T04:46:47.930053 | 2017-03-29T23:57:06 | 2017-03-29T23:57:06 | 78,958,972 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 892 | java | package org.richardqiao.leetcode;
public class ReverseString {
public static void main(String[] args) {
// TODO Auto-generated method stub
System.out.println(new StringBuilder("asdfj32j42XCV").reverse().toString());
String str = "asdjf;lajsdoprup0234rqwefasdfavj;pjksdk[wqpierurqwyeupo";
str = "aaaASDFEWRTYWERTQWVXCVBNM<IORYTUYgeqwe2 e145twgsdacxvxcvbed qfascfdf;ajf[p0ier9pi";
char[] chars = str.toCharArray();
int i = 0, j = 0;
while(j < chars.length){
if(!isOwal(chars[j])){
chars[i++] = chars[j];
}
j++;
}
while(i < chars.length){
chars[i++] = '\0';
}
System.out.println(String.valueOf(chars));
}
private static boolean isOwal(char ch){
if(ch == 'a' || ch == 'e' || ch == 'i' || ch == 'o' || ch == 'u' ||
ch == 'A' || ch == 'E' || ch == 'I' || ch == 'O' || ch == 'U'
) return true;
return false;
}
}
| [
"[email protected]"
] | |
ce4d955843ca943341ce6f5f29afafd447260f27 | 08501436cc16de8148783bec51f983d295b38df4 | /value-fixture/test/org/immutables/fixture/encoding/EncodingWithDefaultDerived.java | 01a2def2c16a98edbd191bcfbb41c4702a77e855 | [
"Apache-2.0"
] | permissive | immutables/immutables | e00b0d91448e4af4d1fda52be2e8a27201f85aff | c98038e82512ec255a24a0dfd6971eab52bd5b8e | refs/heads/master | 2023-09-01T06:53:49.897708 | 2023-08-27T06:09:46 | 2023-08-27T06:09:46 | 11,233,996 | 3,530 | 344 | Apache-2.0 | 2023-08-30T15:14:06 | 2013-07-07T13:48:23 | Java | UTF-8 | Java | false | false | 2,292 | java | /*
Copyright 2018 Immutables Authors and Contributors
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package org.immutables.fixture.encoding;
import java.util.Date;
import java.util.OptionalDouble;
import java.util.OptionalInt;
import org.immutables.fixture.encoding.defs.CompactDateEnabled;
import org.immutables.fixture.encoding.defs.CompactOptionalDoubleEnabled;
import org.immutables.fixture.encoding.defs.CompactOptionalIntEnabled;
import org.immutables.fixture.encoding.defs.VoidEncodingEnabled;
import org.immutables.value.Value;
@CompactOptionalIntEnabled
@CompactOptionalDoubleEnabled
@CompactDateEnabled
@Value.Immutable
public abstract class EncodingWithDefaultDerived {
abstract OptionalInt a();
abstract Date dt();
public @Value.Default OptionalInt i() {
return OptionalInt.empty();
}
public @Value.Derived OptionalDouble d() {
return OptionalDouble.of(0.5);
}
public @Value.Default Void v() {
return null;
}
public @Value.Derived Void dv() {
return null;
}
public @Value.Derived Date ddt() {
return null;
}
}
@CompactOptionalDoubleEnabled
@CompactOptionalIntEnabled
@VoidEncodingEnabled
@Value.Immutable(singleton = true)
interface DefaultSomeMore {
OptionalDouble f();
default @Value.Derived OptionalInt i() {
return OptionalInt.of(1);
}
default @Value.Default OptionalDouble d() {
return OptionalDouble.empty();
}
}
@CompactOptionalDoubleEnabled
@CompactOptionalIntEnabled
@Value.Immutable(builder = false)
@Value.Style(privateNoargConstructor = true)
interface DefaultBuilderless {
@Value.Parameter
OptionalDouble f();
default @Value.Derived OptionalInt i() {
return OptionalInt.of(1);
}
default @Value.Default OptionalDouble d() {
return OptionalDouble.empty();
}
}
| [
"[email protected]"
] | |
67feba7433193b30566f0111f8e38c9b9873a74d | ffbc6418993f5ae546ede9bd3e70c6c30d885423 | /plugins/reactor-netty/src/main/java/com/navercorp/pinpoint/plugin/reactor/netty/interceptor/HttpClientHandlerRequestWithBodyInterceptor.java | 550fed03941134ca0f2783bad3a31389d3b8b98b | [
"DOC",
"LicenseRef-scancode-free-unknown",
"CC0-1.0",
"OFL-1.1",
"GPL-1.0-or-later",
"CC-PDDC",
"GPL-2.0-only",
"Apache-2.0",
"LicenseRef-scancode-public-domain",
"CC-BY-3.0",
"LicenseRef-scancode-unknown-license-reference",
"MITNFA",
"MIT",
"CC-BY-4.0",
"OFL-1.0"
] | permissive | alynlin/pinpoint | 0dcf3279fc2c0b1944bac5f914b0dc226d4a315f | f7d112ae5611745606065ada22609e926966735a | refs/heads/master | 2021-01-12T05:57:28.470862 | 2020-12-03T09:32:22 | 2020-12-03T09:32:22 | 77,233,247 | 2 | 0 | Apache-2.0 | 2020-12-03T09:32:23 | 2016-12-23T15:16:30 | Java | UTF-8 | Java | false | false | 6,205 | java | /*
* Copyright 2020 NAVER Corp.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.navercorp.pinpoint.plugin.reactor.netty.interceptor;
import com.navercorp.pinpoint.bootstrap.async.AsyncContextAccessor;
import com.navercorp.pinpoint.bootstrap.async.AsyncContextAccessorUtils;
import com.navercorp.pinpoint.bootstrap.context.AsyncContext;
import com.navercorp.pinpoint.bootstrap.context.MethodDescriptor;
import com.navercorp.pinpoint.bootstrap.context.SpanEventRecorder;
import com.navercorp.pinpoint.bootstrap.context.Trace;
import com.navercorp.pinpoint.bootstrap.context.TraceContext;
import com.navercorp.pinpoint.bootstrap.context.TraceId;
import com.navercorp.pinpoint.bootstrap.interceptor.AsyncContextSpanEventSimpleAroundInterceptor;
import com.navercorp.pinpoint.bootstrap.logging.PLogger;
import com.navercorp.pinpoint.bootstrap.logging.PLoggerFactory;
import com.navercorp.pinpoint.bootstrap.plugin.request.ClientRequestAdaptor;
import com.navercorp.pinpoint.bootstrap.plugin.request.ClientRequestRecorder;
import com.navercorp.pinpoint.bootstrap.plugin.request.ClientRequestWrapper;
import com.navercorp.pinpoint.bootstrap.plugin.request.ClientRequestWrapperAdaptor;
import com.navercorp.pinpoint.bootstrap.plugin.request.DefaultRequestTraceWriter;
import com.navercorp.pinpoint.bootstrap.plugin.request.RequestTraceWriter;
import com.navercorp.pinpoint.plugin.reactor.netty.ReactorNettyConstants;
import com.navercorp.pinpoint.plugin.reactor.netty.ReactorNettyPluginConfig;
import reactor.netty.http.client.HttpClientRequest;
/**
* @author jaehong.kim
*/
public class HttpClientHandlerRequestWithBodyInterceptor extends AsyncContextSpanEventSimpleAroundInterceptor {
private final PLogger logger = PLoggerFactory.getLogger(this.getClass());
private final boolean isDebug = logger.isDebugEnabled();
private final ClientRequestRecorder<ClientRequestWrapper> clientRequestRecorder;
private final RequestTraceWriter<HttpClientRequest> requestTraceWriter;
public HttpClientHandlerRequestWithBodyInterceptor(TraceContext traceContext, MethodDescriptor methodDescriptor) {
super(traceContext, methodDescriptor);
final ReactorNettyPluginConfig config = new ReactorNettyPluginConfig(traceContext.getProfilerConfig());
final boolean param = config.isParam();
final ClientRequestAdaptor<ClientRequestWrapper> clientRequestAdaptor = ClientRequestWrapperAdaptor.INSTANCE;
this.clientRequestRecorder = new ClientRequestRecorder<ClientRequestWrapper>(param, clientRequestAdaptor);
final HttpClientRequestHeaderAdaptor clientHeaderAdaptor = new HttpClientRequestHeaderAdaptor();
this.requestTraceWriter = new DefaultRequestTraceWriter<HttpClientRequest>(clientHeaderAdaptor, traceContext);
}
// BEFORE
@Override
public AsyncContext getAsyncContext(Object target, Object[] args) {
if (Boolean.FALSE == validate(args)) {
return null;
}
final HttpClientRequest request = (HttpClientRequest) args[0];
final AsyncContext asyncContext = AsyncContextAccessorUtils.getAsyncContext(target);
if (asyncContext == null) {
// Set sampling rate to false
this.requestTraceWriter.write(request);
return null;
}
return asyncContext;
}
@Override
public void doInBeforeTrace(SpanEventRecorder recorder, AsyncContext asyncContext, Object target, Object[] args) {
final Trace trace = asyncContext.currentAsyncTraceObject();
if (trace == null) {
if (logger.isWarnEnabled()) {
logger.warn("Unexpected error, Current async trace is null");
}
return;
}
final TraceId nextId = trace.getTraceId().getNextTraceId();
recorder.recordNextSpanId(nextId.getSpanId());
recorder.recordServiceType(ReactorNettyConstants.REACTOR_NETTY_CLIENT);
final HttpClientRequest request = (HttpClientRequest) args[0];
final ClientRequestWrapper clientRequestWrapper = new HttpClientRequestWrapper(request);
this.requestTraceWriter.write(request, nextId, clientRequestWrapper.getDestinationId());
// Set HttpClientOptions
if (request instanceof AsyncContextAccessor) {
((AsyncContextAccessor) request)._$PINPOINT$_setAsyncContext(asyncContext);
}
}
// AFTER
@Override
public AsyncContext getAsyncContext(Object target, Object[] args, Object result, Throwable throwable) {
if (Boolean.FALSE == validate(args)) {
return null;
}
return AsyncContextAccessorUtils.getAsyncContext(target);
}
@Override
public void doInAfterTrace(SpanEventRecorder recorder, Object target, Object[] args, Object result, Throwable throwable) {
recorder.recordApi(methodDescriptor);
recorder.recordException(throwable);
final HttpClientRequest request = (HttpClientRequest) args[0];
final ClientRequestWrapper clientRequestWrapper = new HttpClientRequestWrapper(request);
this.clientRequestRecorder.record(recorder, clientRequestWrapper, throwable);
}
private boolean validate(final Object[] args) {
if (args == null || args.length < 1) {
if (isDebug) {
logger.debug("Invalid args object. args={}.", args);
}
return false;
}
if (!(args[0] instanceof HttpClientRequest)) {
if (isDebug) {
logger.debug("Invalid args[0] object. Need ClientHttpRequest, args[0]={}.", args[0]);
}
return false;
}
return true;
}
}
| [
"[email protected]"
] | |
de717a1e4a8dd1415c2b5ed0accea92bbde08445 | a174987cdb7467e6cbdaa7f49ea0ba958d0bfeb9 | /src/main/java/br/com/agendamento/exception/BussinesException.java | e26397d9fd5f64773114358593b69dc93838ac6c | [] | no_license | csrwk21/agendamento-email | e3d4d0ec01c8b78a11eecaf350ff602269cb796c | 98ff54490262522b9ce9cf31a059615f4af11a42 | refs/heads/master | 2021-12-27T21:44:57.554770 | 2020-04-03T22:07:01 | 2020-04-03T22:07:01 | 252,847,749 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 680 | java | package br.com.agendamento.exception;
import java.util.ArrayList;
import java.util.List;
import javax.ejb.ApplicationException;
@ApplicationException(rollback = true)
public class BussinesException extends Exception {
private static final long serialVersionUID = 1L;
private List<String> mensagens;
public BussinesException() {
super();
mensagens = new ArrayList<String>();
}
public BussinesException(String mensagem) {
super(mensagem);
mensagens = new ArrayList<String>();
mensagens.add(mensagem);
}
public List<String> getMensagens() {
return mensagens;
}
public void addMensagem(String mensagem) {
this.mensagens.add(mensagem);
}
}
| [
"[email protected]"
] | |
dbbcce7e7c47d35c02b4c103095b30caa92559a8 | 5b6a6c80d7da8b8210032b27ca1cbbb1b319a594 | /src/main/java/com/admin/security/filter/JWTAuthenticationFilter.java | fa7bdfd6154e54a60cf7656ada9bd582782a802f | [] | no_license | dannyvasquez22/app-ws-exchange-rate | 04c859210732ce72bd536b4a8246de39a751c478 | 12cbd5196f6125c5d9a1401a7345dce28bc757d5 | refs/heads/master | 2023-03-11T16:48:27.552614 | 2021-03-01T02:45:01 | 2021-03-01T02:45:01 | 329,636,932 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,030 | java | package com.admin.security.filter;
import java.io.IOException;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Map;
import javax.servlet.FilterChain;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.security.authentication.AuthenticationManager;
import org.springframework.security.authentication.UsernamePasswordAuthenticationToken;
import org.springframework.security.core.Authentication;
import org.springframework.security.core.AuthenticationException;
import org.springframework.security.core.userdetails.User;
import org.springframework.security.web.authentication.UsernamePasswordAuthenticationFilter;
import com.admin.dto.JWTRequest;
import com.admin.security.service.JWTService;
import com.admin.utils.Constants;
import com.fasterxml.jackson.databind.ObjectMapper;
public class JWTAuthenticationFilter extends UsernamePasswordAuthenticationFilter {
private AuthenticationManager authenticationManager;
private JWTService jwtService;
public JWTAuthenticationFilter(AuthenticationManager authenticationManager, JWTService jwtService) {
this.authenticationManager = authenticationManager;
setFilterProcessesUrl(Constants.URL_LOGIN);
this.jwtService = jwtService;
}
@Override
public Authentication attemptAuthentication(HttpServletRequest request, HttpServletResponse response) {
JWTRequest credenciales;
try {
credenciales = new ObjectMapper().readValue(request.getInputStream(), JWTRequest.class);
} catch (IOException e) {
return null;
}
return authenticationManager.authenticate(new UsernamePasswordAuthenticationToken(credenciales.getUsername().trim(), credenciales.getPassword(), new ArrayList<>()));
}
@Override
protected void successfulAuthentication(HttpServletRequest request, HttpServletResponse response, FilterChain chain, Authentication authResult) throws IOException, ServletException {
String token = jwtService.create(authResult);
response.addHeader(Constants.AUTHORIZATION, Constants.BEARER + token);
Map<String, Object> body = new HashMap<>();
body.put("token", token);
body.put("user", authResult.getPrincipal());
body.put("mensaje", String.format("Hola %s, has iniciado sesión con éxito!", ((User)authResult.getPrincipal()).getUsername()) );
response.getWriter().write(new ObjectMapper().writeValueAsString(body));
response.setStatus(200);
response.setContentType("application/json");
}
@Override
protected void unsuccessfulAuthentication(HttpServletRequest request, HttpServletResponse response, AuthenticationException failed) throws IOException, ServletException {
Map<String, Object> body = new HashMap<>();
body.put("mensaje", "Error de autenticación: username o password incorrecto!");
body.put("error", failed.getMessage());
response.getWriter().write(new ObjectMapper().writeValueAsString(body));
response.setStatus(401);
response.setContentType("application/json");
}
}
| [
"[email protected]"
] | |
b1f5f5067009249660b55b4b35be4b964480e0bb | 69011b4a6233db48e56db40bc8a140f0dd721d62 | /src/com/jshx/aqglb/service/JshxAqglbService.java | 9bcf5c4be24139a0d66cf68a426cfab6f94ef426 | [] | no_license | gechenrun/scysuper | bc5397e5220ee42dae5012a0efd23397c8c5cda0 | e706d287700ff11d289c16f118ce7e47f7f9b154 | refs/heads/master | 2020-03-23T19:06:43.185061 | 2018-06-10T07:51:18 | 2018-06-10T07:51:18 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 961 | java | package com.jshx.aqglb.service;
import java.util.Map;
import com.jshx.core.base.service.BaseService;
import com.jshx.core.base.vo.Pagination;
import com.jshx.aqglb.entity.JshxAqglb;
public interface JshxAqglbService extends BaseService
{
/**
* 分页查询
* @param page 分页信息
* @param paraMap 查询条件信息
* @return 分页信息
*/
public Pagination findByPage(Pagination page, Map<String, Object> paraMap);
/**
* 根据主键ID查询信息
* @param id 主键ID
* @return 主键ID对应的信息
*/
public JshxAqglb getById(String id);
/**
* 保存信息
* @param model 信息
*/
public void save(JshxAqglb model);
/**
* 修改信息
* @param model 信息
*/
public void update(JshxAqglb model);
/**
* 物理删除信息
* @param ids 主键ID列表
*/
public void delete(String[] ids);
/**
* 逻辑删除信息
* @param ids 主键ID列表
*/
public void deleteWithFlag(String ids);
}
| [
"[email protected]"
] | |
54ebc3517d3616d23d2aee7955be84c3231778b7 | 36dabda4d956ed7e7d993a900336126dc8b0a064 | /src/main/java/com/lesliehao/part2_sort/section2/MergeSort.java | 4f6149c4d71ce988dcf9f5db2883ab26f70d3afe | [] | no_license | LeslieHao/algorithm | 8ff3969fee97b073b36de4ef8c5dde336421f2c8 | a3b0959e9b29bd179eac670bcf8e1a88cad125a9 | refs/heads/master | 2020-03-27T04:36:58.730110 | 2019-05-06T06:56:00 | 2019-05-06T06:56:00 | 145,954,839 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,928 | java | package com.lesliehao.part2_sort.section2;
import org.junit.Test;
/**
* DESC: 归并排序
* O(NlgN)
* Created by Hh on 2018/2/17
*/
public class MergeSort {
private static Comparable[] aux;
public static void sort(Comparable[] arr) {
aux = new Comparable[arr.length];
sort(arr, 0, arr.length - 1);
}
private static void sort(Comparable[] arr, int lo, int hi) {
if (hi <= lo) return;
int mid = (hi + lo) / 2;
sort(arr,lo,mid);
sort(arr, mid + 1, hi);
merge(arr,lo,mid,hi);
}
public static void merge(Comparable[] arr, int lo, int mid, int hi) {
int i = lo;
int j = mid+1;
for (int k = lo; k <= hi; k++) {
aux[k] = arr[k];
}
for (int k = lo; k < hi; k++) {
if (i > mid) arr[k] = aux[j++]; // 左半边用完 直接将右半边放入
else if (j > hi) arr[k] = aux[i++]; // 右半边用完 直接将左半边放入
// 比较左右两边最左点的大小 将最小数赋值到arr 并右移
else if (less(aux[j], aux[i])) arr[k] = aux[j++];
else arr[k] = aux[i++];
}
}
private static boolean less(Comparable v, Comparable w) {
return v.compareTo(w) < 0;
}
private static void exch(Comparable[] c, int i, int j) {
Comparable t = c[i];
c[i] = c[j];
c[j] = t;
}
public static void show(Comparable[] c) {
for (int i = 0; i < c.length; i++) {
System.out.println(c[i] + " ");
}
}
public static boolean isSorted(Comparable[] c) {
for (int i = 1; i < c.length - 1; i++) {
if (less(c[i], c[i - 1])) {
return false;
}
}
return true;
}
@Test
public void test(){
Integer[] arr = {1, 2, 5, 6, 1, 2, 3, 5};
sort(arr);
show(arr);
}
}
| [
"[email protected]"
] | |
434fd3896fbfa0b858bf1f350a1a5bcdb92b315b | d25ccca244347fe01a3c2c43ba609f329ac8a2ba | /src/main/java/com/bing/framework/base/ParamBean.java | 46975313ed903cbf1435606230f140be46861647 | [] | no_license | kevin2234/ssmtest | e5e44cf1c7374f8a4d04540b2a1c683b9567f431 | fc648413fe82e55e70109d1db4505b16e80cbef6 | refs/heads/master | 2021-01-01T06:38:10.073403 | 2017-07-31T15:01:43 | 2017-07-31T15:01:43 | 97,475,689 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 463 | java | package com.bing.framework.base;
import java.util.List;
import java.util.Map;
public class ParamBean {
private Map<String, String> param;
private List<Map<String, String>> list;
public Map<String, String> getParam() {
return param;
}
public void setParam(Map<String, String> param) {
this.param = param;
}
public List<Map<String, String>> getList() {
return list;
}
public void setList(List<Map<String, String>> list) {
this.list = list;
}
}
| [
"[email protected]"
] | |
2f4f1833220f9ec838a4b0fa862ee1e7a270ad64 | 8382e6f4afb59e9f15d045ec0d734a0866f2ea55 | /Java Work/GraphWindow.java | 7e26e1197a6a53d1b1bee6e36850c2f75ce423a2 | [] | no_license | liuhuaijjin/My-College-Work | 16e8e49c09f1fdde269c39c00aee5341ecb5b0bc | 342fcf7d9505780f82809e8493ed2881138616ff | refs/heads/master | 2020-12-03T09:33:39.671415 | 2016-03-18T16:39:08 | 2016-03-18T16:39:08 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,065 | java | import java.awt.Color;
import java.awt.Graphics;
import java.awt.Graphics2D;
import java.awt.geom.Line2D;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
public class GraphWindow extends JPanel {
public void paintComponent(Graphics g){
super.paintComponent(g);
double max=16;
double min=0;
double x[]= {-4,-3,-2,-1,0,1,2,3,4};
double y[]={16,9,4,1,0,1,4,9,16};
Graphics2D g2=(Graphics2D)g;
setBackground(Color.WHITE);
g2.translate(getWidth()/2,getHeight()/2);
g2.scale(5.0, 5.0);
g2.draw( new Line2D.Double(-4*100,0,4*100,0));
g2.draw( new Line2D.Double(0,min*100,0,-max*100));
for(int i=0;i<x.length;i++){
if(i+1<x.length){
g2.setColor(Color.RED);
g2.draw(new Line2D.Double(x[i], -y[i], x[i+1], -y[i+1]));
}
else{
break;
}
}
}
public static void main(String [] args)
{
}
}
| [
"[email protected]"
] | |
14a0aeb266c34f486aa6d45637c4299649dc1b06 | c7a070711ce89ab5d1fa9abc2e57a0832239e379 | /src/main/java/com/qinfei/entity/Article.java | e31407c407016a6d645d317f5581fec84c6b47c0 | [] | no_license | qinfei666/cms_zxm | b7fc8096d797b97e605e3e5d75d3f74462d8d9ea | eee1a5d69e7ae7294df3084843fc74527df2a9be | refs/heads/master | 2023-01-09T03:53:33.078705 | 2019-12-24T10:11:31 | 2019-12-24T10:11:31 | 228,766,367 | 0 | 0 | null | 2023-01-04T13:41:24 | 2019-12-18T05:39:31 | JavaScript | UTF-8 | Java | false | false | 4,114 | java | package com.qinfei.entity;
import java.util.Date;
public class Article {
private Integer id ;
private String title ;
private String content ;
private String picture ;
private int channelId ;
private int categoryId ;
private int userId ;
private int hits ;
private int hot ;
private int status ;
private int deleted ;
private Date created ;
private Date updated ;
private int commentCnt ;
private int articleType ;
private Channel channel ;
private category category ;
private User user ;
private int complaincnt;
public int getComplaincnt() {
return complaincnt;
}
public void setComplaincnt(int complaincnt) {
this.complaincnt = complaincnt;
}
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public String getTitle() {
return title;
}
public void setTitle(String title) {
this.title = title;
}
public String getContent() {
return content;
}
public void setContent(String content) {
this.content = content;
}
public String getPicture() {
return picture;
}
public void setPicture(String picture) {
this.picture = picture;
}
public int getChannelId() {
return channelId;
}
public void setChannelId(int channelId) {
this.channelId = channelId;
}
public int getCategoryId() {
return categoryId;
}
public void setCategoryId(int categoryId) {
this.categoryId = categoryId;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public int getHits() {
return hits;
}
public void setHits(int hits) {
this.hits = hits;
}
public int getHot() {
return hot;
}
public void setHot(int hot) {
this.hot = hot;
}
public int getStatus() {
return status;
}
public void setStatus(int status) {
this.status = status;
}
public int getDeleted() {
return deleted;
}
public void setDeleted(int deleted) {
this.deleted = deleted;
}
public Date getCreated() {
return created;
}
public void setCreated(Date created) {
this.created = created;
}
public Date getUpdated() {
return updated;
}
public void setUpdated(Date updated) {
this.updated = updated;
}
public int getCommentCnt() {
return commentCnt;
}
public void setCommentCnt(int commentCnt) {
this.commentCnt = commentCnt;
}
public int getArticleType() {
return articleType;
}
public void setArticleType(int articleType) {
this.articleType = articleType;
}
public Channel getChannel() {
return channel;
}
public void setChannel(Channel channel) {
this.channel = channel;
}
public category getCategory() {
return category;
}
public void setCategory(category category) {
this.category = category;
}
public User getUser() {
return user;
}
public void setUser(User user) {
this.user = user;
}
@Override
public String toString() {
return "Article [id=" + id + ", title=" + title + ", content="
+ content + ", picture=" + picture + ", channelId=" + channelId
+ ", categoryId=" + categoryId + ", userId=" + userId
+ ", hits=" + hits + ", hot=" + hot + ", status=" + status
+ ", deleted=" + deleted + ", created=" + created
+ ", updated=" + updated + ", commentCnt=" + commentCnt
+ ", articleType=" + articleType + ", channel=" + channel
+ ", category=" + category + ", user=" + user
+ ", complaincnt=" + complaincnt + "]";
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((id == null) ? 0 : id.hashCode());
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (getClass() != obj.getClass())
return false;
Article other = (Article) obj;
if (id == null) {
if (other.id != null)
return false;
} else if (!id.equals(other.id))
return false;
return true;
}
}
| [
"[email protected]"
] | |
c45162e71444722bf80784dc4ed6baa28817e888 | addb33682adc2db79592d52d4c6d503b96d0066a | /src/main/java/com/domain/config/Config.java | 6a00eb12a082942f623740d232325d69eba8875b | [] | no_license | JoelCalebPA/okm-integration | 8daa166df107b91a6f8237b8479d31efe4b9402d | ddb20f306dee606eab3545e64bb9d38705b419ca | refs/heads/master | 2021-03-06T06:12:43.906522 | 2020-03-19T16:11:14 | 2020-03-19T16:11:14 | 246,185,231 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,805 | java | /**
* OpenKM, Open Document Management System (http://www.openkm.com)
* Copyright (c) 2006-2016 Paco Avila & Josep Llort
* <p>
* No bytes were intentionally harmed during the development of this application.
* <p>
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
* <p>
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
* <p>
* You should have received a copy of the GNU General Public License along
* with this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
*/
package com.domain.config;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.boot.context.properties.ConfigurationProperties;
import org.springframework.stereotype.Component;
/**
* Created by pavila on 15/05/17.
*/
@Component
@ConfigurationProperties
public class Config {
@Value("${openkm.url}")
public String OPENKM_URL;
@Value("${anonymous.user}")
public String ANONYMOUS_USER;
@Value("${anonymous.password}")
public String ANONYMOUS_PASSWORD;
@Value("${admin.user}")
public String ADMIN_USER;
@Value("${admin.password}")
public String ADMIN_PASSWORD;
@Value("${preview.download.url}")
public String PREVIEW_DOWNLOAD_URL;
public String getPreviewKcenterToOpenKMUrl() {
String baseUrl = OPENKM_URL;
if (!OPENKM_URL.endsWith("/")) {
baseUrl += "/";
}
return baseUrl + "Preview";
}
}
| [
"[email protected]"
] | |
50fb6c39f01afa4f0119c55ec7280c12d44131ef | 338f3152aff68412d6288238be0b12d919eb2d2e | /codenser/summarization/FileUtil.java | be38dd4d709ca853f7eb781d4c5717a6a2191e4c | [
"MIT"
] | permissive | meyerhoeferb/sd_final_submission | 0edaae563c903ab29875596e2af9358064962ad9 | 25bb6a2f80f4cbc91cf9d07fcb787338c235cde8 | refs/heads/master | 2022-06-14T05:42:38.275175 | 2020-05-04T13:50:57 | 2020-05-04T13:50:57 | 260,714,380 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 6,834 | java | package F;
import org.apache.commons.collections.CollectionUtils;
import org.apache.commons.lang3.StringUtils;
import java.io.*;
import java.nio.charset.StandardCharsets;
import java.util.List;
public class FileUtil {
FileUtil() {
}
public static String readFile(String filePath) {
String string;
StringBuilder data = new StringBuilder();
try (
InputStreamReader inputStreamReader = new InputStreamReader(new FileInputStream(filePath), StandardCharsets.UTF_8);
BufferedReader bufferedReader = new BufferedReader(inputStreamReader)
) {
while ((string = bufferedReader.readLine()) != null) {
//每行用分号分割
data.append(string).append("\n");
}
return data.toString();
} catch (Exception e) {
e.printStackTrace();
}
return null;
}
/**
* write file
*
* @param filePath
* @param content
* @param append is append, if true, write to the end of file, else clear content of file and write into it
* @return return false if content is empty, true otherwise
* @throws RuntimeException if an error occurs while operator FileWriter
*/
public static boolean writeFile(String filePath, String content, boolean append) throws IOException {
if (StringUtils.isEmpty(content)) {
return false;
}
FileWriter fileWriter = null;
try {
makeDirs(filePath);
fileWriter = new FileWriter(filePath, append);
fileWriter.write(content);
return true;
} catch (IOException e) {
throw new RuntimeException("IOException occurred. ", e);
} finally {
fileWriter.close();
}
}
/**
* write file
*
* @param filePath
* @param contentList
* @param append is append, if true, write to the end of file, else clear content of file and write into it
* @return return false if contentList is empty, true otherwise
* @throws RuntimeException if an error occurs while operator FileWriter
*/
public static boolean writeFile(String filePath, List<String> contentList, boolean append) throws IOException {
if (CollectionUtils.isEmpty(contentList)) {
return false;
}
FileWriter fileWriter = null;
try {
makeDirs(filePath);
fileWriter = new FileWriter(filePath, append);
int i = 0;
for (String line : contentList) {
if (i++ > 0) {
fileWriter.write("\r\n");
}
fileWriter.write(line);
}
return true;
} catch (IOException e) {
throw new RuntimeException("IOException occurred. ", e);
} finally {
fileWriter.close();
}
}
/**
* write file, the string will be written to the begin of the file
*
* @param filePath
* @param content
* @return
*/
public static boolean writeFile(String filePath, String content) throws IOException {
return writeFile(filePath, content, false);
}
/**
* write file, the string list will be written to the begin of the file
*
* @param filePath
* @param contentList
* @return
*/
public static boolean writeFile(String filePath, List<String> contentList) throws IOException {
return writeFile(filePath, contentList, false);
}
/**
* write file, the bytes will be written to the begin of the file
*
* @param filePath
* @param stream
* @return
* @see {@link #writeFile(String, InputStream, boolean)}
*/
public static boolean writeFile(String filePath, InputStream stream) throws IOException {
return writeFile(filePath, stream, false);
}
/**
* write file
*
* @param file the file to be opened for writing.
* @param stream the input stream
* @param append if <code>true</code>, then bytes will be written to the end of the file rather than the beginning
* @return return true
* @throws RuntimeException if an error occurs while operator FileOutputStream
*/
public static boolean writeFile(String filePath, InputStream stream, boolean append) throws IOException {
return writeFile(filePath != null ? new File(filePath) : null, stream, append);
}
/**
* write file, the bytes will be written to the begin of the file
*
* @param file
* @param stream
* @return
* @see {@link #writeFile(File, InputStream, boolean)}
*/
public static boolean writeFile(File file, InputStream stream) throws IOException {
return writeFile(file, stream, false);
}
/**
* write file
*
* @param file the file to be opened for writing.
* @param stream the input stream
* @param append if <code>true</code>, then bytes will be written to the end of the file rather than the beginning
* @return return true
* @throws RuntimeException if an error occurs while operator FileOutputStream
*/
public static boolean writeFile(File file, InputStream stream, boolean append) throws IOException {
OutputStream o = null;
try {
makeDirs(file.getAbsolutePath());
o = new FileOutputStream(file, append);
byte data[] = new byte[1024];
int length = -1;
while ((length = stream.read(data)) != -1) {
o.write(data, 0, length);
}
o.flush();
return true;
} catch (FileNotFoundException e) {
throw new RuntimeException("FileNotFoundException occurred. ", e);
} catch (IOException e) {
throw new RuntimeException("IOException occurred. ", e);
} finally {
o.close();
stream.close();
}
}
public static boolean makeDirs(String filePath) {
File file = new File(filePath);
String parent = file.getParent();
if (StringUtils.isEmpty(parent)) {
return false;
}
File folder = new File(parent);
return (folder.exists() && folder.isDirectory()) || folder.mkdirs();
}
public static String getFolderName(String filePath) {
if (StringUtils.isEmpty(filePath)) {
return filePath;
}
int filePosi = filePath.lastIndexOf(File.separator);
return (filePosi == -1) ? "" : filePath.substring(0, filePosi);
}
}
| [
"[email protected]"
] | |
226b5ee234210299c0525294abe5a1fba15ab150 | 59bd4e4f50b225352e7e7809de25bd121bd97c66 | /ZooClientV4/src/clientv4/about.java | dbc38a3a2c6a274ce4f76bcd0ae14484e7df3ab7 | [] | no_license | Faewin7/ZooRegister | 94c7ee817042435a2f949107d4013e55178554f7 | 28b5a70f0c78a11d5a6a6180484d1354b0e3fdc8 | refs/heads/master | 2020-05-09T10:32:34.180773 | 2019-04-16T17:48:46 | 2019-04-16T17:48:46 | 181,046,346 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,288 | java | package clientv4;
import javax.swing.JFrame;
/**
* @author James
* 08/04/2019
* A Client-Server application that allows the storage, retrieval, display and manipulation of data
* using a SQL database. Zoo Register.
*/
/*
*This classes purpose is just ro display information about the client application.
*/
public class about extends javax.swing.JFrame {
/**
* Creates new form About
*/
public about() {
super("About");
initComponents();
setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
}
/**
* This method is called from within the constructor to initialize the form.
* WARNING: Do NOT modify this code. The content of this method is always
* regenerated by the Form Editor.
*/
@SuppressWarnings("unchecked")
// <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents
private void initComponents() {
jScrollPane1 = new javax.swing.JScrollPane();
jTextArea1 = new javax.swing.JTextArea();
setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE);
jTextArea1.setEditable(false);
jTextArea1.setColumns(20);
jTextArea1.setLineWrap(true);
jTextArea1.setRows(5);
jTextArea1.setText("Welcome to The Zoo's Client Face!\n\nThis client allows for the user to do two things;\n\n1, use the client to search the database as a simple user.\n\n2, Login as admin, where they can insert data on new animals or delete data on old ones. \n\nThis client-server application was created by Daylight Technologies.");
jTextArea1.setWrapStyleWord(true);
jScrollPane1.setViewportView(jTextArea1);
javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane());
getContentPane().setLayout(layout);
layout.setHorizontalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jScrollPane1, javax.swing.GroupLayout.DEFAULT_SIZE, 400, Short.MAX_VALUE)
);
layout.setVerticalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jScrollPane1, javax.swing.GroupLayout.DEFAULT_SIZE, 300, Short.MAX_VALUE)
);
pack();
}// </editor-fold>//GEN-END:initComponents
/**
* @param args the command line arguments
*/
public static void main(String args[]) {
/* Set the Nimbus look and feel */
//<editor-fold defaultstate="collapsed" desc=" Look and feel setting code (optional) ">
/* If Nimbus (introduced in Java SE 6) is not available, stay with the default look and feel.
* For details see http://download.oracle.com/javase/tutorial/uiswing/lookandfeel/plaf.html
*/
try {
for (javax.swing.UIManager.LookAndFeelInfo info : javax.swing.UIManager.getInstalledLookAndFeels()) {
if ("Nimbus".equals(info.getName())) {
javax.swing.UIManager.setLookAndFeel(info.getClassName());
break;
}
}
} catch (ClassNotFoundException ex) {
java.util.logging.Logger.getLogger(about.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (InstantiationException ex) {
java.util.logging.Logger.getLogger(about.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (IllegalAccessException ex) {
java.util.logging.Logger.getLogger(about.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (javax.swing.UnsupportedLookAndFeelException ex) {
java.util.logging.Logger.getLogger(about.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
}
//</editor-fold>
//</editor-fold>
/* Create and display the form */
java.awt.EventQueue.invokeLater(new Runnable() {
public void run() {
new about().setVisible(true);
}
});
}
// Variables declaration - do not modify//GEN-BEGIN:variables
private javax.swing.JScrollPane jScrollPane1;
private javax.swing.JTextArea jTextArea1;
// End of variables declaration//GEN-END:variables
}
| [
"[email protected]"
] | |
66c95e70eb3a106da24566606a1109afa28f8405 | 61b35e22ac5e90a6e6e61abfb3a6b7636a0575c7 | /spring-annotation/src/main/java/com/zh/controller/BookController.java | 31703e23e4ada98f94058f07bb8f13da6d98d3d0 | [] | no_license | zhaohui-zh/learn-spring-old | 73210f80e1cfef5ad18a5e0e46a0f485e4c90775 | 05a6278c51477beac0da98caebd990259cdc9654 | refs/heads/master | 2022-12-27T02:24:41.330830 | 2020-10-12T17:51:52 | 2020-10-12T17:51:52 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 395 | java | package com.zh.controller;
import com.zh.service.BookService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Scope;
import org.springframework.stereotype.Controller;
/**
* @author Zhaohui
* @date 2020/10/8
*/
// @Scope("prototype")
@Controller
public class BookController {
@Autowired
private BookService bookService;
}
| [
"[email protected]"
] | |
2e621d44887a71ad3fbb515c00b478606fab08ef | 3481b7846f9399e9f58a672c89914cefb77a0d54 | /app/src/main/java/com/example/starteck/myapplication/HistoryRepository.java | 1601f269ba7cf4cb171241e6a1e3e3923bc4650a | [] | no_license | MarianaHilo/ProductSearch | 9b5be2287897d12ad8fc665a01f2f8b79fa58991 | b6b78e0673be810b6a99fcc57d99e5c0d1a4208d | refs/heads/master | 2021-05-15T20:43:35.748858 | 2017-11-02T19:13:56 | 2017-11-02T19:13:56 | 107,801,279 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 330 | java | package com.example.starteck.myapplication;
import java.util.Set;
/**
* Created by mhilo on 29/10/2017.
*/
public class HistoryRepository implements IHistoryRepository{
@Override
public void addSearchQuery(String query) {
}
@Override
public Set<String> getSearchHistory() {
return null;
}
}
| [
"[email protected]"
] | |
bd0cf857b01a13ce2329397a800d46d11b7f9991 | fc875a9fa212764afd6765be32d3a71ed14e3f36 | /app/src/main/java/com/example/flixster/models/Movie.java | 3d52169df7cd9d65cbf513ffade534dcb38131f4 | [] | no_license | KimKevin99/Flixster | 8d0f8f74ede6b2ba42d30e2d1c8271283cc29c9a | 51453941662121ce224b2e34dbc47502b8dbf4fa | refs/heads/master | 2022-12-25T20:00:58.670704 | 2020-10-03T02:37:06 | 2020-10-03T02:37:06 | 298,394,348 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,635 | java | package com.example.flixster.models;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import org.parceler.Parcel;
import java.util.ArrayList;
import java.util.List;
@Parcel
public class Movie {
int movieId;
String posterPath;
String title;
String overview;
String backdropPath;
double rating;
// empty container required by the Parcel package
public Movie() {}
public Movie(JSONObject jsonObject) throws JSONException {
backdropPath = jsonObject.getString("backdrop_path");
posterPath = jsonObject.getString("poster_path");
title = jsonObject.getString("title");
overview = jsonObject.getString("overview");
rating = jsonObject.getDouble("vote_average");
movieId = jsonObject.getInt("id");
}
public static List<Movie> fromJsonArray (JSONArray movieJsonArray) throws JSONException {
List<Movie> movies = new ArrayList<>();
for (int i = 0; i < movieJsonArray.length(); i++) {
movies.add(new Movie(movieJsonArray.getJSONObject(i)));
}
return movies;
}
public String getPosterPath() {
return String.format("https://image.tmdb.org/t/p/w342/%s", posterPath);
}
public String getTitle() {
return title;
}
public String getOverview() {
return overview;
}
public String getBackdropPath() {
return String.format("https://image.tmdb.org/t/p/w342/%s", backdropPath);
}
public double getRating() {
return rating;
}
public int getMovieId() {
return movieId;
}
}
| [
"[email protected]"
] | |
34b7acc8aaa38126f6307ba5314f7c1de4955aaa | 2804d7e4b2d5b6695551d46cd70d19c5c89bd723 | /main/java/app/client/modal/InputHostModalWindow.java | b8e5d0d8960f59890de990d518699ad3527bdeef | [] | no_license | AlexSlow/Gsm_scan_client | d44e695c1eff01edd9c98e885b3f25173dde5513 | 1ca4f829742159cab4d49744a3ee0d926009d37b | refs/heads/main | 2023-03-29T11:04:27.585046 | 2021-04-20T14:07:16 | 2021-04-20T14:07:16 | 353,608,778 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,553 | java | package app.client.modal;
import javafx.geometry.Insets;
import javafx.scene.control.*;
import javafx.scene.layout.GridPane;
import lombok.Data;
import java.util.Optional;
@Data
public class InputHostModalWindow {
private Dialog<String> dialog;
Optional<String> host;
public void open(String serverHost)
{
init(serverHost);
host=dialog.showAndWait();
}
private void init(String serverHost)
{
dialog=new Dialog();
dialog.setTitle("Настройка сервера");
ButtonType saveButton = new ButtonType("Сохранить", ButtonBar.ButtonData.APPLY);
dialog.getDialogPane().getButtonTypes().addAll(ButtonType.CLOSE,saveButton);
GridPane gridPane = new GridPane();
gridPane.setHgap(10);
gridPane.setVgap(10);
gridPane.setPadding(new Insets(20, 150, 10, 10));
TextField hostTextFaild = new TextField();
hostTextFaild.setText(serverHost);
hostTextFaild.setPromptText("Сервер");
Label label=new Label("URL и порт работы сервера: ");
gridPane.add(label,0,0);
gridPane.add(hostTextFaild,1,0);
dialog.getDialogPane().setContent(gridPane);
dialog.setResultConverter(dialogButton -> {
//Вывод результатов в пару
if (dialogButton == saveButton) {
return hostTextFaild.getText();
}
return host.get();
});
}
}
| [
"[email protected]"
] | |
7e7637251fde9a9b01cd425b109e7b4feb95e70a | 4447e8ea553ba2c6e3cb00071e23c22702db3126 | /src/main/java/com/shade/pyros/ShadesOfNether/Blocks/Asherrack/AsherrackBrickFence.java | 9cd038195d7ee611dd45825687eb232ca78de5ba | [] | no_license | pyrosshade/ShadesOfNether | 78ededa25547c58cc36dbda8072090593e9b9214 | 0a91805216007f5d4313a6b93dd2f6461c566ba3 | refs/heads/master | 2020-06-11T02:25:31.872601 | 2019-08-12T09:28:36 | 2019-08-12T09:28:36 | 193,810,687 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 712 | java | package com.shade.pyros.ShadesOfNether.Blocks.Asherrack;
import com.shade.pyros.ShadesOfNether.Common.Materials;
import net.minecraft.block.BlockState;
import net.minecraft.block.FenceBlock;
import net.minecraft.block.SoundType;
import net.minecraftforge.common.ToolType;
public class AsherrackBrickFence extends FenceBlock{
public AsherrackBrickFence() {
super(Properties
.create(Materials.ASHERRACK_STONE)
.sound(SoundType.STONE)
.hardnessAndResistance(2.0F, 6.0F)
);
setRegistryName("asherrack_brick_fence");
}
@Override
public int getHarvestLevel(BlockState state) {
return 1;
}
@Override
public ToolType getHarvestTool(BlockState state) {
return ToolType.PICKAXE;
}
}
| [
"[email protected]"
] | |
0e1d0f1e79b4c4e339bfbe9f3ec78d235dd120c9 | a40014f0a2d9d17689c53839aa7a2e995ca7b93c | /1.JavaSyntax/src/com/javarush/task/task07/task0706/Solution.java | a323d38650b9ef863c62452910315b3d0846e1ee | [] | no_license | sergeytoropov/JavaRushTasks | f60d1523d124ade94a7ba9b0afd4b6bbf238fdab | 2feed8d53d37c824a5aea35be9af354eac8ae566 | refs/heads/master | 2020-12-02T17:37:36.575023 | 2018-04-02T07:33:01 | 2018-04-02T07:33:01 | 96,403,248 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,392 | java | package com.javarush.task.task07.task0706;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.Map;
import java.util.stream.IntStream;
import static java.util.stream.Collectors.*;
/*
Улицы и дома
*/
public class Solution {
public static void main(String[] args) throws Exception {
try (BufferedReader reader = new BufferedReader(new InputStreamReader(System.in))) {
Integer[] array = new Integer[15];
for (int index = 0; index < array.length; index++) {
array[index] = Integer.valueOf(reader.readLine());
}
Map<Boolean, Integer> answer = IntStream.range(0, array.length)
.mapToObj(Integer::new)
.collect(groupingBy(index -> Boolean.valueOf((index % 2) == 0), summingInt(index -> array[index])));
if (answer.get(true) != null) {
if (answer.get(false) == null || answer.get(true) > answer.get(false)) {
System.out.println("В домах с четными номерами проживает больше жителей.");
} else if (answer.get(false) > answer.get(true)) {
System.out.println("В домах с нечетными номерами проживает больше жителей.");
}
}
}
}
}
| [
"[email protected]"
] | |
27949110e2ad8fbe338cc07bedf21d5759a9fcf7 | 4bb40d8bb5e92cff1b14c756ee47d8ca5923ecdc | /GroupProjectSource/APS/test/test/za/ac/wits/elen7045/group3/billingAccount/test/testBillingAccountCreate.java | 5c04c09e35fb99db52a4a412534a4e68dd584140 | [] | no_license | Group3-ELEN7045/APS | d0237191b06a1e1e922e337e55df8a8a533d5eaa | 55454314e48417714b9403cee62402a4a3176566 | refs/heads/master | 2021-01-01T05:31:59.726653 | 2014-07-04T05:32:07 | 2014-07-04T05:33:18 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,384 | java | package test.za.ac.wits.elen7045.group3.billingAccount.test;
import static org.junit.Assert.*;
import org.junit.Test;
import za.ac.wits.elen7045.group3.aps.domain.accounts.statement.TelcoStatement;
import za.ac.wits.elen7045.group3.aps.domain.entities.BillingAccount;
import za.ac.wits.elen7045.group3.aps.domain.entities.BillingAccountStatement;
import za.ac.wits.elen7045.group3.aps.domain.vo.CredentialsVO;
import za.ac.wits.elen7045.group3.aps.services.dto.BillingAccountDTO;
import za.ac.wits.elen7045.group3.aps.services.dto.CredentialsDTO;
/**
* @author Livious
*
*/
public class testBillingAccountCreate {
@Test
public void testBillingAccoutDTOCreate() {
String accountNumber = "12345";
BillingAccountDTO billingAccount = new BillingAccountDTO(accountNumber);
CredentialsDTO credentials = new CredentialsDTO();
credentials.setUserName("kaka");
credentials.setPassword("12345");
billingAccount.setCredentials(credentials);
assertFalse((billingAccount.getCredentials() == null));
}
@Test
public void testBillingAccoutCreate() {
BillingAccount billingAccount = new BillingAccount();
CredentialsVO credentials = new CredentialsVO();
credentials.setUserName("jojo");
credentials.setPassword("12345");
billingAccount.setCredentials(credentials);
assertFalse((billingAccount.getCredentials() == null));
}
}
| [
"[email protected]"
] | |
bcc565776df2ce14670e4a27585ccc1c580a1121 | dc58cbc395bbbb39398df787d8229b1ec140b20d | /src/HipiImageBundle.java | 32b45529cadb39f987296a629c8f64f406c7aed3 | [] | no_license | dpaustman/hipi-images | 5bf15373116952562827be81b60cb127e1a1f437 | e18ae015766691061cd38d9ea8870e6cbb087284 | refs/heads/master | 2021-09-07T23:32:57.307287 | 2018-03-03T06:37:00 | 2018-03-03T06:37:00 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 32,400 | java | package org.hipi.imagebundle;
import org.hipi.image.HipiImageHeader;
import org.hipi.image.HipiImageHeader.HipiImageFormat;
import org.hipi.image.HipiImage;
import org.hipi.image.HipiImage.HipiImageType;
import org.hipi.image.HipiImageFactory;
import org.hipi.image.ByteImage;
import org.hipi.image.FloatImage;
import org.hipi.image.RasterImage;
import org.hipi.image.RawImage;
import org.hipi.image.io.CodecManager;
import org.hipi.image.io.ImageDecoder;
import org.hipi.image.io.ImageEncoder;
import org.hipi.image.io.JpegCodec;
import org.hipi.image.io.PngCodec;
import org.hipi.mapreduce.Culler;
import org.hipi.util.ByteUtils;
import org.apache.hadoop.conf.Configuration;
import org.apache.hadoop.fs.FileStatus;
import org.apache.hadoop.fs.FileSystem;
import org.apache.hadoop.fs.Path;
import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.io.BufferedInputStream;
import java.io.DataInputStream;
import java.io.DataOutputStream;
import java.io.IOException;
import java.io.EOFException;
import java.io.InputStream;
import java.io.RandomAccessFile;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
/**
* A HipiImageBundle (HIB) is the primary representation for a
* collection of images on the Hadoop Distributed File System (HDFS)
* used by HIPI.
*
* HIBs are designed to take advantage of the fact that Hadoop
* MapReduce is optimized to support efficient processing of large
* flat files.
*
* This class provides basic methods for writing, reading, and
* concatenating HIBs.
*
* A single HIB is actually comprised of two files stored on the file
* system: an index file and a data file. The index file contains a
* list of byte offsets to the end of each image record (header
* metadata + image pixel data) in the data file. The data file is
* composed of a contiguous sequence of image records.
*
* @see <a href="http://hipi.cs.virginia.edu/">HIPI Project Homepage</a>
*/
public class HipiImageBundle {
/**
* This FileReader enables reading individual images from a {@link
* org.hipi.imagebundle.HipiImageBundle} and delivers them in the
* specified image type. This class is used by the {@link
* org.hipi.imagebundle.mapreduce.HibInputFormat} and {@link
* org.hipi.imagebundle.mapreduce.HibRecordReader} classes.
*/
public static class HibReader {
// Interface for creating HipiImage objects that are compatible
// with Mapper
private HipiImageFactory imageFactory;
// Class responsible for handling image culling
private Culler culler = null;
// Input stream connected to HIB data file
private DataInputStream dataInputStream = null;
// Current position and start/end offsets in input stream
private long currentOffset = 0;
private long startOffset = 0;
private long endOffset = 0;
// Each image record in the data file begins with a 12 byte
// "signature" that indicates length of header, length of image
// data, and image storage format in that order
private byte sig[] = new byte[12];
// Current image, accessed with calls to getCurrentKey and
// getCurrentValue
private HipiImageFormat imageFormat = HipiImageFormat.UNDEFINED;
private byte[] imageBytes = null;
private HipiImageHeader imageHeader = null;
private HipiImage image = null;
/**
* Creates a HibReader to read records (image headers / image
* bodies) from a contiguous segment (file split) of a HIB data
* file. The segment is specified by a start and end byte offset.
*
* @param fs The {@link FileSystem} where the HIB data file resides
* @param path The {@link Path} to the HIB data file
* @param start The byte offset to beginning of segment
* @param end The byte offset to end of segment
*
* @throws IOException
*/
public HibReader(HipiImageFactory imageFactory, Class<? extends Culler> cullerClass,
FileSystem fs, Path path, long start, long end) throws IOException {
// Store reference to image factory
this.imageFactory = imageFactory;
// Create image culler object if requested
if (cullerClass != null) {
try {
this.culler = (Culler)cullerClass.newInstance();
} catch (Exception e) {
System.err.println("Fatal error while attempting to instantiate image culler: " + cullerClass.getName());
System.err.println(e.getLocalizedMessage());
System.exit(1);
}
}
// Create input stream for HIB data file
dataInputStream = new DataInputStream(fs.open(path));
// Advance input stream to requested start byte offset. This may
// take several calls to the DataInputStream.skip() method.
startOffset = start;
while (start > 0) {
long skipped = dataInputStream.skip(start);
if (skipped <= 0) {
break;
}
start -= skipped;
}
// Store current byte offset along with end byte offset
currentOffset = startOffset;
endOffset = end;
}
public HibReader(HipiImageFactory imageFactory, Class<? extends Culler> cullerClass,
FileSystem fs, Path path) throws IOException {
this(imageFactory, cullerClass, fs, path, 0, 0); // endOffset = 0 indicates read until EOF
}
/**
* Returns current amount of progress reading file.
*
* @return Measure of progress from 0.0 (no progress) to 1.0
* (finished).
*/
public float getProgress() {
float progress = (endOffset - startOffset + 1) > 0 ? (float) (currentOffset - startOffset) / (float) (endOffset - startOffset + 1) : 0.f;
// Clamp to handle rounding errors
if (progress > 1.f) {
return 1.f;
} else if (progress < 0.f) {
return 0.f;
}
return progress;
}
/**
* Closes any open objects used to read the HIB data file (e.g.,
* DataInputStream).
*/
public void close() throws IOException {
if (dataInputStream != null) {
dataInputStream.close();
}
}
/**
* Reads the next image header and image body into memory. To
* obtain the corresponding {@link org.hipi.image.HipiImageHeader} and {@link
* org.hipi.image.RasterImage} objects, call {@link #getCurrentKey()} and {@link
* #getCurrentValue()} respectively.
*
* @return true if the next image record (header + pixel data) was successfully read and decoded. False if there are no more images or if an error occurs.
*/
public boolean nextKeyValue() {
try {
// Reset state of current key/value
imageFormat = HipiImageFormat.UNDEFINED;
imageBytes = null;
imageHeader = null;
image = null;
// A value of endOffset = 0 indicates "read to the end of
// file", otherwise check segment boundary
if (endOffset > 0 && currentOffset > endOffset) {
// Already past end of file segment
return false;
}
// Attempt to read 12-byte signature that contains length of
// image header, length of image data segment, and image
// storage format
int sigOffset = 0;
int bytesRead = dataInputStream.read(sig);
// Even reading signature might require multiple calls
while (bytesRead < (sig.length - sigOffset) && bytesRead > 0) {
sigOffset += bytesRead;
bytesRead = dataInputStream.read(sig, sigOffset, sig.length - sigOffset);
}
if (bytesRead <= 0) {
// Reached end of file without error
return false;
}
if (bytesRead < sig.length) {
// Read part of signature before encountering EOF. Malformed file.
throw new IOException(String.format("Failed to read %d-byte HIB image signature that delineates image record boundaries.", sig.length));
}
// Parse and validate image header length
int imageHeaderLength = ((sig[0] & 0xff) << 24) | ((sig[1] & 0xff) << 16) | ((sig[2] & 0xff) << 8) | (sig[3] & 0xff);
if (imageHeaderLength <= 0) {
// Negative or zero file length, report corrupted HIB
throw new IOException("Found image header length <= 0 in HIB at offset: " + currentOffset);
}
// Parse and validate image length
int imageLength = ((sig[4] & 0xff) << 24) | ((sig[5] & 0xff) << 16) | ((sig[6] & 0xff) << 8) | (sig[7] & 0xff);
if (imageLength <= 0) {
// Negative or zero file length, report corrupted HIB
throw new IOException("Found image data segment length <= 0 in HIB at offset: " + currentOffset);
}
// Parse and validate image format
int imageFormatInt = ((sig[8] & 0xff) << 24) | ((sig[9] & 0xff) << 16) | ((sig[10] & 0xff) << 8) | (sig[11] & 0xff);
try {
imageFormat = HipiImageFormat.fromInteger(imageFormatInt);
} catch (IllegalArgumentException e) {
throw new IOException("Found invalid image storage format in HIB at offset: " + currentOffset);
}
if (imageFormat == HipiImageFormat.UNDEFINED) {
throw new IOException("Found UNDEFINED image storage format in HIB at offset: " + currentOffset);
}
/*
System.out.println("nextKeyValue()");
System.out.println("imageHeaderLength: " + imageHeaderLength);
System.out.println("imageLength: " + imageLength);
System.out.println("imageFormatInt: " + imageFormatInt);
System.out.println("imageFormat: " + imageFormat.toInteger());
*/
// Allocate byte array to hold image header data
byte[] imageHeaderBytes = new byte[imageHeaderLength];
// Allocate byte array to hold image data
imageBytes = new byte[imageLength];
// TODO: What happens if either of these calls fails, throwing
// an exception? The stream position will become out of sync
// with currentOffset.
dataInputStream.readFully(imageHeaderBytes);
dataInputStream.readFully(imageBytes);
// Advance byte offset by length of 12-byte signature plus
// image header length plus image pixel data length
currentOffset += 12 + imageHeaderLength + imageLength;
// Attempt to decode image header
DataInputStream dis = new DataInputStream(new ByteArrayInputStream(imageHeaderBytes));
imageHeader = new HipiImageHeader(dis);
// System.out.println(imageHeader);
// Wrap image bytes in stream
ByteArrayInputStream imageByteStream = new ByteArrayInputStream(imageBytes);
// Obtain suitable image decoder
ImageDecoder decoder = CodecManager.getDecoder(imageFormat);
if (decoder == null) {
throw new IOException("Unsupported storage format in image record ending at byte offset: " + currentOffset);
}
// Check if image should be culled
if (culler!=null) {
if (culler.includeExifDataInHeader()) {
imageByteStream.mark(Integer.MAX_VALUE);
HipiImageHeader imageHeaderWithExifData = decoder.decodeHeader(imageByteStream,true);
imageByteStream.reset();
imageHeader.setExifData(imageHeaderWithExifData.getAllExifData());
}
if (culler.cull(imageHeader)) {
// Move onto next image
return nextKeyValue();
}
}
// Call appropriate decode function based on type of image object
switch (imageFactory.getType()) {
case FLOAT:
case BYTE:
try {
image = decoder.decodeImage(imageByteStream, imageHeader, imageFactory, true);
} catch (Exception e) {
System.err.println("Runtime exception while attempting to decode raster image: " +
e.getMessage());
e.printStackTrace();
// Attempt to keep going
return nextKeyValue();
}
break;
case RAW:
try {
RawImage rawImage = new RawImage();
rawImage.setHeader(imageHeader);
rawImage.setRawBytes(imageBytes);
image = (HipiImage)rawImage;
} catch (Exception e) {
System.err.println("Runtime exception while attempting to create RawImage: " +
e.getMessage());
e.printStackTrace();
// Attempt to keep going
return nextKeyValue();
}
throw new RuntimeException("Support for RAW image type not yet implemented.");
case UNDEFINED:
default:
throw new IOException("Unexpected image type. Cannot proceed.");
}
return true;
} catch (EOFException e) {
System.err.println(String.format("EOF exception [%s] while decoding HIB image record ending at byte offset [%d]",
e.getMessage(), currentOffset, endOffset));
e.printStackTrace();
imageFormat = HipiImageFormat.UNDEFINED;
imageBytes = null;
imageHeader = null;
image = null;
return false;
} catch (IOException e) {
System.err.println(String.format("IO exception [%s] while decoding HIB image record ending at byte offset [%d]",
e.getMessage(), currentOffset));
e.printStackTrace();
imageFormat = HipiImageFormat.UNDEFINED;
imageBytes = null;
imageHeader = null;
image = null;
return false;
} catch (RuntimeException e) {
System.err.println(String.format("Runtime exception [%s] while decoding HIB image record ending at byte offset [%d]",
e.getMessage(), currentOffset));
e.printStackTrace();
imageFormat = HipiImageFormat.UNDEFINED;
imageBytes = null;
imageHeader = null;
image = null;
return false;
} catch (Exception e) {
System.err.println(String.format("Unexpected exception [%s] while decoding HIB image record ending at byte offset [%d]",
e.getMessage(), currentOffset));
e.printStackTrace();
imageFormat = HipiImageFormat.UNDEFINED;
imageBytes = null;
imageHeader = null;
image = null;
return false;
}
}
/**
* @return Byte array containing raw image data.
*/
public byte[] getImageBytes() {
return imageBytes;
}
/**
* @return Storage format of raw image bytes.
*/
public HipiImageFormat getImageStorageFormat() {
return imageFormat;
}
/**
* @return Header for the current image, as retrieved by {@link
* #nextKeyValue()}
*/
public HipiImageHeader getCurrentKey() {
return imageHeader;
}
/**
* @return Current decoded image, as retrieved by {@link
* #nextKeyValue()}
*/
public HipiImage getCurrentValue() {
return image;
}
} // public static class HibReader
public static final int FILE_MODE_UNDEFINED = 0;
public static final int FILE_MODE_READ = 1;
public static final int FILE_MODE_WRITE = 2;
private int fileMode = FILE_MODE_UNDEFINED;
private Path indexFilePath = null;
private Path dataFilePath = null;
protected Configuration conf = null;
protected HipiImageFactory imageFactory = null;
private DataInputStream indexInputStream = null;
private DataOutputStream indexOutputStream = null;
private DataOutputStream dataOutputStream = null;
private HibReader hibReader = null;
private byte sig[] = new byte[12];
private long currentOffset = 0;
private long blockSize = 0;
private short replication = 0;
public HipiImageBundle(Path indexFilePath, Configuration conf, HipiImageFactory imageFactory) {
this.indexFilePath = indexFilePath;
this.dataFilePath = indexFilePath.suffix(".dat");
this.conf = conf;
this.imageFactory = imageFactory;
}
public HipiImageBundle(Path indexFilePath, Configuration conf) {
this(indexFilePath, conf, null);
}
public HipiImageBundle(Path indexFilePath, Configuration conf, HipiImageFactory imageFactory, short replication) {
this(indexFilePath, conf, imageFactory);
this.replication = replication;
}
public HipiImageBundle(Path indexFilePath, Configuration conf, HipiImageFactory imageFactory, long blockSize) {
this(indexFilePath, conf, imageFactory);
this.blockSize = blockSize;
}
public HipiImageBundle(Path indexFilePath, Configuration conf, HipiImageFactory imageFactory, short replication, long blockSize) {
this(indexFilePath, conf, imageFactory);
this.replication = replication;
this.blockSize = blockSize;
}
public Path getPath() {
return indexFilePath;
}
/**
* Opens the underlying index and data files for writing.
*
* @param overwrite if either part of the HIB file (index and/or data) exists this parameter determines whether or not to delete the file first or throw an exception
*
* @throws IOException in the event of any I/O errors while creating and opening the index and data files for subsequent writing
*/
public final void openForWrite(boolean overwrite) throws IOException {
if (fileMode != FILE_MODE_UNDEFINED) {
throw new IOException("HIB [" + indexFilePath.getName() + "] is already open. Must close before calling this method.");
}
FileSystem fs = FileSystem.get(conf);
if (fs.exists(indexFilePath) && !overwrite) {
// 当数据库已经存在时,对数据进行追加,而不是报错
// throw new IOException("HIB [" + indexFilePath.getName() + "] already exists. Cannot open HIB for writing unless overwrite is specified.");
System.out.println("HIB [" + indexFilePath.getName() + "] already exists.");
System.out.println("We will appned to the HIB [" + indexFilePath.getName() + "]");
}
if (fs.exists(dataFilePath) && !overwrite) {
// 当数据库已经存在时,对数据进行追加,而不是报错
// throw new IOException("HIB [" + dataFilePath.getName() + "] already exists. Cannot open HIB for writing unless overwrite is specified.");
System.out.println("HIB [" + dataFilePath.getName() + "] already exists.");
System.out.println("We will appned to the HIB [" + dataFilePath.getName() + "]");
}
assert indexOutputStream == null;
assert dataOutputStream == null;
assert indexInputStream == null;
if (blockSize <= 0) {
blockSize = fs.getDefaultBlockSize(dataFilePath);
// System.out.println("HIPI: Using default blockSize of [" + blockSize + "].");
}
if (replication <= 0) {
replication = fs.getDefaultReplication(dataFilePath);
// System.out.println("HIPI: Using default replication factor of [" + replication + "].");
}
try {
if (!overwrite && fs.exists(indexFilePath) && fs.exists(dataFilePath)) {
// Appending => open for write and seek to end of index and data files
// throw new IOException("Not implemented.");
/// TODO: 以追加方式写入数据:当数据库已经存在时,对数据进行追加,而不是报错
// 获取已有最新偏移量
indexInputStream = new DataInputStream(fs.open(indexFilePath));
while(indexInputStream.available() > 0) { // get current offet: 5374002
currentOffset = indexInputStream.readLong();
}
indexInputStream.close();
indexInputStream = null;
System.out.println("current offset: " + currentOffset);
// 初始化数据写入实例
indexOutputStream = new DataOutputStream(fs.append(indexFilePath));
dataOutputStream = new DataOutputStream(fs.append(dataFilePath));
} else {
// Begin from scratch either because HIB doesn't yet exist or because an explicit overwrite was requested
indexOutputStream = new DataOutputStream(fs.create(indexFilePath));
dataOutputStream = new DataOutputStream(fs.create(dataFilePath, true, fs.getConf().getInt("io.file.buffer.size", 4096), replication, blockSize));
currentOffset = 0;
writeBundleHeader();
}
} catch (IOException ex) {
System.err.println("I/O exception while attempting to open HIB [" + indexFilePath.getName() + "] for writing with overwrite [" + overwrite + "].");
System.err.println(ex.getMessage());
indexOutputStream = null;
dataOutputStream = null;
indexInputStream = null;
return;
}
// Indicates success
fileMode = FILE_MODE_WRITE;
}
/**
* HIB index file header structure:
* BOF
* 4 bytes (int): magic signature (0x81911618) "HIPIIbIH"
* 2 bytes (short int): length of data file name
* var bytes: data file path name
* 16 bytes: reserved for future use
* 4 bytes: number of bytes to skip to reach start of offset list
* [8 byte]*: offsets
* EOF
*/
private void writeBundleHeader() throws IOException {
assert indexOutputStream != null;
// Magic number
indexOutputStream.writeInt(0x81911b18);
// Reserved fields (16 bytes)
indexOutputStream.writeLong(0);
indexOutputStream.writeLong(0);
// Number of bytes to skip (0)
indexOutputStream.writeInt(0);
}
/**
* Add image to the HIB. This involves appending the image to the data file, and adding the corresponding byte offset to the index file.
*
* @param imageHeader initialized image header
* @param imageStream input stream containing the image data. This data is not decoded or verified to be consistent with the provided image header. It is simply appended to the HIB data file.
*
* @throws IOException in the event of any I/O errors or if the HIB is not currently in a state that supports adding new images
*/
public void addImage(HipiImageHeader imageHeader, InputStream imageStream) throws IOException {
if (fileMode != FILE_MODE_WRITE) {
throw new IOException("HIB [" + indexFilePath.getName() + "] is not opened for writing. Must successfully open HIB for writing before calling this method.");
}
// Serialize imageHeader into byte[]
ByteArrayOutputStream imageHeaderStream = new ByteArrayOutputStream(1024);
imageHeader.write(new DataOutputStream(imageHeaderStream));
byte imageHeaderBytes[] = imageHeaderStream.toByteArray();
int imageHeaderLength = imageHeaderBytes.length;
// Read image input stream and convert to byte[]
byte imageBytes[] = ByteUtils.inputStreamToByteArray(imageStream);
int imageLength = imageBytes.length;
int imageFormatInt = imageHeader.getStorageFormat().toInteger();
sig[ 0] = (byte)((imageHeaderLength >> 24) );
sig[ 1] = (byte)((imageHeaderLength >> 16) & 0xff);
sig[ 2] = (byte)((imageHeaderLength >> 8) & 0xff);
sig[ 3] = (byte)((imageHeaderLength ) & 0xff);
sig[ 4] = (byte)((imageLength >> 24) );
sig[ 5] = (byte)((imageLength >> 16) & 0xff);
sig[ 6] = (byte)((imageLength >> 8) & 0xff);
sig[ 7] = (byte)((imageLength ) & 0xff);
sig[ 8] = (byte)((imageFormatInt >> 24) );
sig[ 9] = (byte)((imageFormatInt >> 16) & 0xff);
sig[10] = (byte)((imageFormatInt >> 8) & 0xff);
sig[11] = (byte)((imageFormatInt ) & 0xff);
/*
// debug
System.out.println("addImage()");
System.out.println("imageHeaderLength: " + imageHeaderLength);
System.out.println("imageLength: " + imageLength);
System.out.println("imageFormatInt: " + imageFormatInt);
System.out.printf("ImageHeader bytes: 0x%02X 0x%02X 0x%02X 0x%02X\n",
imageHeaderBytes[0], imageHeaderBytes[1], imageHeaderBytes[2], imageHeaderBytes[3]);
System.out.printf("Image bytes: 0x%02X 0x%02X 0x%02X 0x%02X\n",
imageBytes[0], imageBytes[1], imageBytes[2], imageBytes[3]);
*/
dataOutputStream.write(sig);
dataOutputStream.write(imageHeaderBytes);
dataOutputStream.write(imageBytes);
currentOffset += 12 + imageHeaderLength + imageLength;
indexOutputStream.writeLong(currentOffset);
// debug
// System.out.println("Offset: " + currentOffset);
}
public void addImage(InputStream inputStream, HipiImageFormat imageFormat, HashMap<String, String> metaData) throws IllegalArgumentException, IOException {
ImageDecoder decoder = null;
switch (imageFormat) {
case JPEG:
decoder = JpegCodec.getInstance();
break;
case PNG:
decoder = PngCodec.getInstance();
break;
case PPM:
throw new IllegalArgumentException("Not implemented.");
case UNDEFINED:
defult:
throw new IllegalArgumentException("Unrecognized or unsupported image format.");
}
BufferedInputStream bufferedInputStream = new BufferedInputStream(inputStream);
bufferedInputStream.mark(Integer.MAX_VALUE); // 100MB
HipiImageHeader header = decoder.decodeHeader(bufferedInputStream);
if (metaData != null) {
header.setMetaData(metaData);
}
bufferedInputStream.reset();
addImage(header, bufferedInputStream);
}
public void addImage(InputStream inputStream, HipiImageFormat imageFormat) throws IllegalArgumentException, IOException {
addImage(inputStream, imageFormat, null);
}
public void openForRead(int seekToImageIndex) throws IOException, IllegalArgumentException {
if (seekToImageIndex < 0) {
throw new IllegalArgumentException("Image index must be non-negative [" + seekToImageIndex + "].");
}
if (fileMode != FILE_MODE_UNDEFINED) {
throw new IOException("HIB [" + indexFilePath.getName() + "] is already open. Must close before calling this method.");
}
FileSystem fs = FileSystem.get(conf);
if (!fs.exists(indexFilePath)) {
throw new IOException("HIB index file not found while attempting open for read [" + indexFilePath.getName() + "].");
}
if (!fs.exists(dataFilePath)) {
throw new IOException("HIB data file not found while attempting open for read [" + dataFilePath.getName() + "].");
}
assert indexOutputStream == null;
assert dataOutputStream == null;
assert indexInputStream == null;
List<Long> offsets = null;
try {
if (seekToImageIndex == 0) {
indexInputStream = new DataInputStream(fs.open(indexFilePath));
readBundleHeader();
hibReader = new HibReader(imageFactory, null, fs, dataFilePath);
} else {
// Attempt to seek to desired image position
indexInputStream = new DataInputStream(fs.open(indexFilePath));
readBundleHeader();
offsets = readOffsets(seekToImageIndex);
if (offsets.size() == seekToImageIndex) {
hibReader = new HibReader(imageFactory, null, fs, dataFilePath, offsets.get(offsets.size()-1), 0);
}
}
} catch (IOException ex) {
System.err.println("I/O exception while attempting to open HIB [" + indexFilePath.getName() + "] for reading.");
System.err.println(ex.getMessage());
indexOutputStream = null;
dataOutputStream = null;
indexInputStream = null;
return;
}
if (seekToImageIndex != 0) {
if (offsets == null) {
throw new IOException("Failed to read file offsets for HIB [" + indexFilePath.getName() + "].");
}
if (offsets.size() != seekToImageIndex) {
throw new IOException("Failed to seek to image index [" + seekToImageIndex + "]. Check that it is not past end of file.");
}
}
// Indicates success
fileMode = FILE_MODE_READ;
}
public void openForRead() throws IOException {
openForRead(0);
}
private void readBundleHeader() throws IOException {
assert indexInputStream != null;
// Verify signature
int sig = indexInputStream.readInt();
if (sig != 0x81911b18) {
throw new IOException("Corrupted HIB header: signature mismatch.");
}
// Use readLong to skip reserved fields instead of skip because
// skip doesn't guarantee success. If readLong reaches EOF will
// throw exception.
indexInputStream.readLong();
indexInputStream.readLong();
int skipOver = indexInputStream.readInt();
while (skipOver > 0) {
long skipped = indexInputStream.skip(skipOver);
if (skipped <= 0) {
break;
}
skipOver -= skipped;
}
}
/**
*
* @return a {@link List} of image offsets
*/
public List<Long> readAllOffsets() {
return readOffsets(0);
}
/**
* @return The data file for the HipiImageBundle
*/
public FileStatus getDataFileStatus() throws IOException {
return FileSystem.get(conf).getFileStatus(dataFilePath);
}
/**
* Attemps to read some number of image record offsets from the HIB
* index file.
*
* @param maximumNumber the maximum number of offsets that will be
* read from the HIB index file. The actual number read may
* be less than this number.
* @return A list of file offsets read from the HIB index file.
*/
public List<Long> readOffsets(int maximumNumber) {
ArrayList<Long> offsets = new ArrayList<Long>(maximumNumber);
for (int i = 0; i < maximumNumber || maximumNumber == 0; i++) {
try {
offsets.add(indexInputStream.readLong());
} catch (IOException e) {
break;
}
}
return offsets;
}
public boolean next() throws IOException {
if (imageFactory == null) {
throw new RuntimeException("Must provide a valid image factory to the HipiImageBundle constructor in order to call this method.");
}
if (fileMode != FILE_MODE_READ) {
throw new IOException("HIB [" + indexFilePath.getName() + "] is not opened for reading. Must successfully open HIB for reading before calling this method.");
}
assert hibReader != null;
return hibReader.nextKeyValue();
}
/**
* @see HipiImageBundle.HibReader#getCurrentKey()
*/
public HipiImageHeader currentHeader() throws IOException {
if (fileMode != FILE_MODE_READ) {
throw new IOException("HIB [" + indexFilePath.getName() + "] is not opened for reading. Must successfully open HIB for reading before calling this method.");
}
assert hibReader != null;
return hibReader.getCurrentKey();
}
/**
* @see HipiImageBundle.HibReader#getCurrentValue()
*/
public HipiImage currentImage() throws IOException {
if (fileMode != FILE_MODE_READ) {
throw new IOException("HIB [" + indexFilePath.getName() + "] is not opened for reading. Must successfully open HIB for reading before calling this method.");
}
assert hibReader != null;
return hibReader.getCurrentValue();
}
public void close() throws IOException {
if (hibReader != null) {
hibReader.close();
hibReader = null;
}
if (indexInputStream != null) {
indexInputStream.close();
indexInputStream = null;
}
if (dataOutputStream != null) {
dataOutputStream.close();
dataOutputStream = null;
}
if (indexOutputStream != null) {
indexOutputStream.close();
indexOutputStream = null;
}
fileMode = FILE_MODE_UNDEFINED;
}
/**
* Appends another HIB to the current HIB. This involves concatenating the underlying data files and index files.
*
* @param bundle target HIB to be appended to the current HIB
*/
public void append(HipiImageBundle bundle) {
// TODO: Check that bundle is in a state that supports this operation
try {
bundle.openForRead();
FileStatus dataFileStatus = bundle.getDataFileStatus();
List<Long> offsets = bundle.readAllOffsets();
// Concatenate data file
FileSystem fs = FileSystem.get(conf);
DataInputStream dataInputStream = new DataInputStream(fs.open(dataFileStatus.getPath()));
int numBytesRead = 0;
byte[] data = new byte[1024 * 1024]; // Transfer in 1MB blocks
while ((numBytesRead = dataInputStream.read(data)) > -1) {
dataOutputStream.write(data, 0, numBytesRead);
}
dataInputStream.close();
// Concatenate index file
long lastOffset = currentOffset;
for (int j = 0; j < offsets.size(); j++) {
currentOffset = (long) (offsets.get(j)) + lastOffset;
indexOutputStream.writeLong(currentOffset);
}
// Clean up
dataOutputStream.flush();
indexOutputStream.flush();
bundle.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
| [
"[email protected]"
] | |
2fb39b74f7bab07ee9ca2bf475b850823d3ed9f8 | 7acf6b2a24063b1d4162cefd48e49734488b8c9d | /src/test/java/com/neemshade/matri/service/mapper/MalaParamMapperTest.java | a8d4f18e790ba5791812c6f8e1b65fbcc90c59c4 | [] | no_license | cinthiya1234567890/tls | bca9bc8bc2c5c9f3b52677532067ef7b7c6ad49b | 2491879cc4c5d96ee1457158ba4f2989b3d2cce1 | refs/heads/main | 2023-01-06T16:49:45.841892 | 2020-11-11T08:50:31 | 2020-11-11T08:50:31 | 311,899,898 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 570 | java | package com.neemshade.matri.service.mapper;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import static org.assertj.core.api.Assertions.assertThat;
public class MalaParamMapperTest {
private MalaParamMapper malaParamMapper;
@BeforeEach
public void setUp() {
malaParamMapper = new MalaParamMapperImpl();
}
@Test
public void testEntityFromId() {
Long id = 1L;
assertThat(malaParamMapper.fromId(id).getId()).isEqualTo(id);
assertThat(malaParamMapper.fromId(null)).isNull();
}
}
| [
"[email protected]"
] | |
10cc062e9dcf5185d3ed93f771ab78a59a1f7bcf | 41b62115d11194bb13f8d3c0d424e6046e74de93 | /src/com/company/NearestNeighbor.java | 4e7ace0312508bd8418ef344b118e74ecd4b592a | [] | no_license | arnabs542/IK | c8f032feee5ee3d1e54889278c43d36168d833e9 | 1efd7e84d115d7dfdd84d2727ef3ff81400b194d | refs/heads/master | 2022-01-09T05:43:36.766752 | 2019-05-05T05:18:18 | 2019-05-05T05:18:18 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,454 | java | package com.company;
import java.io.BufferedWriter;
import java.io.IOException;
import java.io.OutputStreamWriter;
import java.util.Arrays;
import java.util.Collections;
import java.util.PriorityQueue;
import java.util.Scanner;
public class NearestNeighbor {
private static final Scanner scanner = new Scanner(System.in);
// Complete the find_nearest_neighbours function below.
static int[][] find_nearest_neighbours(int px, int py, int[][] n_points, int k) {
int[][] result = new int[k][2];
int count = 0;
PriorityQueue<Point> queue = new PriorityQueue<>(Collections.reverseOrder());
for(int[] point : n_points){
int x = px-point[0];
int y = py-point[1];
double distance = Math.sqrt(x*x+y*y);
Point p = new Point(x, y, distance);
if(queue.size()==k && queue.peek().distance>p.distance){
queue.poll();
}
queue.add(p);
}
while(!queue.isEmpty()){
Point p = queue.poll();
result[count++] = new int[]{p.x, p.y};
}
return result;
}
static class Point implements Comparable<Point>{
int x;
int y;
double distance;
Point(int x, int y, double distance){
this.x = x;
this.y = y;
this.distance = distance;
}
@Override
public int compareTo(Point o) {
return Double.valueOf(distance).compareTo(o.distance);
}
}
public static void main(String[] args) throws IOException {
BufferedWriter bufferedWriter = new BufferedWriter(new OutputStreamWriter(System.out));
int px = scanner.nextInt();
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
int py = scanner.nextInt();
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
int n_pointsRows = scanner.nextInt();
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
int n_pointsColumns = scanner.nextInt();
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
int[][] n_points = new int[n_pointsRows][n_pointsColumns];
for (int n_pointsRowItr = 0; n_pointsRowItr < n_pointsRows; n_pointsRowItr++) {
String[] n_pointsRowItems = scanner.nextLine().split(" ");
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
for (int n_pointsColumnItr = 0; n_pointsColumnItr < n_pointsColumns; n_pointsColumnItr++) {
int n_pointsItem = Integer.parseInt(n_pointsRowItems[n_pointsColumnItr]);
n_points[n_pointsRowItr][n_pointsColumnItr] = n_pointsItem;
}
}
int k = scanner.nextInt();
scanner.skip("(\r\n|[\n\r\u2028\u2029\u0085])?");
int[][] res = find_nearest_neighbours(px, py, n_points, k);
for (int resRowItr = 0; resRowItr < res.length; resRowItr++) {
for (int resColumnItr = 0; resColumnItr < res[resRowItr].length; resColumnItr++) {
bufferedWriter.write(String.valueOf(res[resRowItr][resColumnItr]));
if (resColumnItr != res[resRowItr].length - 1) {
bufferedWriter.write(" ");
}
}
if (resRowItr != res.length - 1) {
bufferedWriter.write("\n");
}
}
bufferedWriter.newLine();
bufferedWriter.close();
scanner.close();
}
}
| [
"[email protected]"
] | |
dc7c7b05b5fdc583d0e117a802688bb34b9a5079 | 660acd80149796f5af802399ffadb50242dca1a0 | /CodeForces/src/ProblemSet/_A_Hit_the_Lottery_.java | e008b7ff6ba3728f3491254257a27f4a50065caf | [] | no_license | BhavyaaArora-08/Solutions-of-problems-on-different-platforms | db7f17fb9105942616eb075681f79fa4f5c025bf | d96986577bd9addd5ceb2c7430f4791466d0bfff | refs/heads/master | 2022-06-30T03:44:23.934671 | 2020-05-12T05:20:44 | 2020-05-12T05:20:44 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 496 | java | package ProblemSet;
import java.util.Scanner;
public class _A_Hit_the_Lottery_ {
public static void main(String[] args) {
// TODO Auto-generated method stub
Scanner obj=new Scanner(System.in);
int n=obj.nextInt();
int c=0;
int x=(n/100);
c+=x;
n=n-(x*100);
x=(n/20);
c+=x;
n=n-(x*20);
x=(n/10);
c+=x;
n=n-(x*10);
x=(n/5);
c+=x;
n=n-(x*5);
x=(n/1);
c+=x;
n=n-(x*1);
System.out.println(c);
}
}
| [
"[email protected]"
] | |
0002e92443bae6e60f80046bc31ebc7e50cc06cc | 87da5544c2b2dea9d10f398ba0009af960f81a4e | /app/src/main/java/com/pengbo/mhdcx/ui/trade_activity/TradeAccountTypeActivity.java | d470cf9cb8ee02d70ddf370d2cde93bf9f4b44a2 | [] | no_license | alexkame/PbStock | 70bbc780193ed5d70daaa05e545139b8b3d22f3b | 0654a09f0be344d19ad02361be4b51bc715a3674 | refs/heads/master | 2020-05-29T20:52:01.998836 | 2016-08-04T11:35:45 | 2016-08-04T11:35:45 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,667 | java | package com.pengbo.mhdcx.ui.trade_activity;
import java.util.ArrayList;
import java.util.List;
import com.pengbo.mhdcx.adapter.SetOnLineAdapter;
import com.pengbo.mhdzq.app.MyApp;
import com.pengbo.mhdzq.zq_activity.HdActivity;
import com.pengbo.mhdzq.R;
import com.pengbo.mhdcx.ui.main_activity.TradeLoginActivity;
import android.os.Bundle;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.AdapterView;
import android.widget.GridView;
import android.widget.TextView;
import android.widget.AdapterView.OnItemClickListener;
public class TradeAccountTypeActivity extends HdActivity implements OnItemClickListener,OnClickListener{
public static final int RESULT_CODE=1;
private MyApp mMyApp;
private TextView back;
private GridView gv;
private List<String> datas;
private SetOnLineAdapter mAdapter;
ArrayList<String> types;//new String[] { "客户帐号 ","资金账号"};
private int mCurrentSel = 0;
private int mQSIndex;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.setonlinetime);
mMyApp = (MyApp)this.getApplication();
initView();
}
private void initView() {
mQSIndex = this.getIntent().getIntExtra(TradeLoginActivity.INTENT_QS_INDEX, 0);
gv=(GridView) this.findViewById(R.id.setonlinetime_gv);
back=(TextView) this.findViewById(R.id.setonlinetime_backbtn);
datas=new ArrayList<String>();
types = new ArrayList<String>();
String aTypeStr = mMyApp.mTradeQSZHType;
if (mMyApp.getTradeQSNum() > 0)
{
if (mQSIndex >=0 && mQSIndex < mMyApp.getTradeQSNum())
{
for (int i = 0; i <mMyApp.getTradeQSInfo(mQSIndex).mAccoutType.size(); i++) {
String type = mMyApp.getTradeQSInfo(mQSIndex).mAccoutType.get(i);
if (aTypeStr.equals(type))
{
mCurrentSel = i;
}
types.add(type);
datas.add(type.substring(0, type.indexOf(",")));
}
}
}
mAdapter=new SetOnLineAdapter(datas, this);
mAdapter.setSeclection(mCurrentSel);
gv.setAdapter(mAdapter);
gv.setOnItemClickListener(this);
back.setOnClickListener(this);
}
@Override
public void onItemClick(AdapterView<?> parent, View view, int position,
long id) {
mAdapter.setSeclection(position);
mAdapter.notifyDataSetChanged();
mCurrentSel = position;
mMyApp.mTradeQSIndex = mQSIndex;
mMyApp.mTradeQSZHType = types.get(mCurrentSel);
TradeAccountTypeActivity.this.finish();
}
@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.setonlinetime_backbtn:
{
TradeAccountTypeActivity.this.finish();
}
break;
default:
break;
}
}
}
| [
"[email protected]"
] | |
b3de2f67726921e34b8085909550762277cb36ca | 6f5779bdbe985c7436632489a3fb6da525b051a3 | /src/main/java/br/com/rodkrtz/projuris/controle/manutencao/controller/v1/impl/EquipamentoControllerImpl.java | 5c0e77a9fa751a65e4f4c2f86665564fd7c31c90 | [] | no_license | rodkrtz/controle-manutencao | ffb810c87ce3569472869d250d2b667cbdf15982 | 4ac822c74583a1410e00f7a4fa9bfeb8486b3360 | refs/heads/main | 2023-03-03T19:40:28.688948 | 2021-02-16T19:30:21 | 2021-02-16T19:30:21 | 338,669,738 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,552 | java | package br.com.rodkrtz.projuris.controle.manutencao.controller.v1.impl;
import br.com.rodkrtz.projuris.controle.manutencao.controller.v1.EquipamentoController;
import br.com.rodkrtz.projuris.controle.manutencao.model.entity.Equipamento;
import br.com.rodkrtz.projuris.controle.manutencao.model.request.AddEquipamentoRequest;
import br.com.rodkrtz.projuris.controle.manutencao.service.EquipamentoService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.stereotype.Component;
import java.util.List;
/**
* @author Rodrigo Kreutzfeld
*/
@Component
public class EquipamentoControllerImpl implements EquipamentoController {
@Autowired
private EquipamentoService equipamentoService;
@Override
public ResponseEntity<?> getEquipamento(String numeroSerie) {
Equipamento equipamento = equipamentoService.findByNumeroSerie(numeroSerie);
return new ResponseEntity<>(equipamento, HttpStatus.OK);
}
@Override
public ResponseEntity<?> getEquipamentos() {
List<Equipamento> equipamentos = equipamentoService.getEquipamentos();
return new ResponseEntity<>(equipamentos, HttpStatus.OK);
}
@Override
public ResponseEntity<?> addEquipamento(AddEquipamentoRequest addEquipamentoRequest) {
Equipamento equipamento = equipamentoService.addEquipamento(addEquipamentoRequest);
return new ResponseEntity<>(equipamento, HttpStatus.CREATED);
}
}
| [
"[email protected]"
] | |
16f94e763e409ea64ae07c136ed4226eb83a577e | a654c672727ec1aa8628c8eb077e94b374482fb0 | /app/src/main/java/com/bartronics/ams2/di/DatabaseInfo.java | c87ddd1c67432e578bdd0e0bb364100ac84c9529 | [] | no_license | ChAnandKumar/AMS2 | 910973ea00ecf1ae1ac2b447235d01b0b6a17821 | 6423563cfc52c4728b605befe9cbb4cc756022fe | refs/heads/master | 2021-01-18T08:33:08.333868 | 2017-03-08T12:43:34 | 2017-03-08T12:43:34 | 84,305,823 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 893 | java | /*
* Copyright (C) 2017 MINDORKS NEXTGEN PRIVATE LIMITED
* 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://mindorks.com/license/apache-v2
*
* 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.bartronics.ams2.di;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import javax.inject.Qualifier;
/**
* Created by janisharali on 27/01/17.
*/
@Qualifier
@Retention(RetentionPolicy.RUNTIME)
public @interface DatabaseInfo {
}
| [
"[email protected]"
] | |
066ffd53f9f4b40cbf8699f0393a5cf2c83cca60 | 6378765d496a7b0f9be7224129fc9be877c4ccff | /Java/179.largest-number.java | 6058d994bf86d59f704d283e670f52d2d5efc85d | [] | no_license | Ricccccky/Leetcode | 668bb682d13ebab6cf93a5f5d40d19237f3d5d86 | def1b7d847554016aab4520ef9f8c956976a77a5 | refs/heads/master | 2022-12-22T17:11:31.203262 | 2022-12-09T17:30:34 | 2022-12-09T17:30:34 | 244,829,474 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 658 | java | import java.util.*;
/*
* @lc app=leetcode id=179 lang=java
*
* [179] Largest Number
*/
// @lc code=start
class Solution {
// O(nlogn)
public String largestNumber(int[] nums) {
int n = nums.length;
String[] arr = new String[n];
StringBuilder sb = new StringBuilder();
for (int i = 0; i < n; i++) {
arr[i] = String.valueOf(nums[i]);
}
Arrays.sort(arr, (s1, s2) -> (s2 + s1).compareTo(s1 + s2));
if (arr[0].equals("0")) {
return "0";
}
for (String s : arr) {
sb.append(s);
}
return sb.toString();
}
}
// @lc code=end
| [
"[email protected]"
] | |
3fafab62e8df79d8fb09ebd701169b5a416c68cb | dd1bee84c4f9cb80eec121d4761fa7401483445a | /src/main/java/com/neuedu/model/AmericanPizza.java | 0414b18562e736445264ab08bab87cdc7e04d6bf | [] | no_license | ZLX358445547/shoppingForMacbook | cbe65ab741972c08b142604428064ad784c3abb5 | fcc08168d03e5adad1d9f6e3f82a318cb6d602ea | refs/heads/master | 2020-05-04T16:17:02.655449 | 2019-04-03T12:12:58 | 2019-04-03T12:12:58 | 179,274,167 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 72 | java | package com.neuedu.model;
public class AmericanPizza extends Pizza {
}
| [
"[email protected]"
] | |
b01b64f21c25be3b7240f32fab297fe010dbc50e | a6283b9eb3f61e3d569e65e764591cd61a2c123a | /app/src/main/java/com/rab/pab_minggu2/MainActivity.java | 4857ba1f89d022cb3263b7bf63041ae99c1ab658 | [] | no_license | ihsbramn/pab_minggu3 | fe737dad62f3ee2a6f7d59dbce8a3128b16fbea9 | 3ac4a5767a5d88bad3f9bfb09d65739bd347dd97 | refs/heads/master | 2023-08-22T21:05:30.910772 | 2021-10-11T12:38:59 | 2021-10-11T12:38:59 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 666 | java | package com.rab.pab_minggu2;
import androidx.appcompat.app.AppCompatActivity;
import android.content.Intent;
import android.os.Bundle;
import android.view.View;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
}
public void RegisClick(View view) {
Intent regis = new Intent(this, RegisActivity.class);
startActivity(regis);
}
public void LoginClick(View view) {
Intent login = new Intent(this, HomeActivity.class);
startActivity(login);
}
} | [
"[email protected]"
] | |
2ff96b27e54ca8944a94a59007dd42bc2eb99ad0 | d384e551f3217df3fc238edcdcdb55c8825c36d0 | /app/src/main/java/com/huanglong/v3/smallvideo/videoeditor/bubble/utils/TCBubbleManager.java | 94ad6b0f55aed7cac9bc062f731ff3c501e45cf2 | [] | no_license | KqSMea8/V3 | b25f5e04b6f54edb5ae7b29167e98a751beea724 | ab223a67080be076d8a66279c994b07cfd07645b | refs/heads/master | 2020-04-07T11:40:32.504003 | 2018-11-20T05:24:40 | 2018-11-20T05:24:40 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,311 | java | package com.huanglong.v3.smallvideo.videoeditor.bubble.utils;
import android.content.Context;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.File;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.List;
/**
* Created by hans on 2017/10/23.
* <p>
* 加载气泡字幕的类
*/
public class TCBubbleManager {
private static final String ROOT_DIR = "bubble";
private static TCBubbleManager sInstance;
private final Context mContext;
public static TCBubbleManager getInstance(Context context) {
if (sInstance == null)
sInstance = new TCBubbleManager(context);
return sInstance;
}
private TCBubbleManager(Context context) {
mContext = context.getApplicationContext();
}
public List<TCBubbleInfo> loadBubbles() {
try {
// 获取气泡字幕总配置文件
String rootJson = getConfigByPath(ROOT_DIR + File.separator + "bubbleList.json");
JSONObject rootJSONObj = new JSONObject(rootJson);
JSONArray rootJSONArr = rootJSONObj.getJSONArray("bubbleList");
List<String> folderNameList = new ArrayList<>();
for (int i = 0; i < rootJSONArr.length(); i++) {
String folderName = rootJSONArr.getJSONObject(i).getString("name");
folderNameList.add(folderName);
}
// 遍历获取各个气泡字幕的参数
List<TCBubbleInfo> bubbleInfoList = new ArrayList<>(folderNameList.size());
for (String folderName : folderNameList) {
String folderPath = ROOT_DIR + File.separator + folderName;
String configPath = folderPath + File.separator + "config.json";
String iconPath = folderPath + File.separator + "icon.png";
String bubblePath = folderPath + File.separator + "bubble.png";
String jsonContent = getConfigByPath(configPath);
JSONObject jsonObj = new JSONObject(jsonContent);
int width = jsonObj.getInt("width");
int height = jsonObj.getInt("height");
int top = jsonObj.getInt("textTop");
int left = jsonObj.getInt("textLeft");
int right = jsonObj.getInt("textRight");
int bottom = jsonObj.getInt("textBottom");
int textSize = jsonObj.getInt("textSize");
TCBubbleInfo info = new TCBubbleInfo();
info.setWidth(width);
info.setHeight(height);
info.setDefaultSize(textSize);
//归一化坐标
info.setRect(top * 1.0f / height, left * 1.0f / width, right * 1.0f / width, bottom * 1.0f / height);
info.setBubblePath(bubblePath);
info.setIconPath(iconPath);
bubbleInfoList.add(info);
}
return bubbleInfoList;
} catch (JSONException | IOException e) {
e.printStackTrace();
}
return null;
}
public Bitmap getBitmapFromAssets(String path) {
if (path == null) return null;
try {
return getBitmap(path);
} catch (IOException e) {
e.printStackTrace();
}
return null;
}
private String getConfigByPath(String path) throws IOException {
BufferedInputStream stream = getInputStreamFromAsset(path);
BufferedReader reader = new BufferedReader(new InputStreamReader(stream));
String line = null;
StringBuilder sb = new StringBuilder();
while ((line = reader.readLine()) != null) {
sb.append(line);
}
stream.close();
reader.close();
return sb.toString();
}
private Bitmap getBitmap(String path) throws IOException {
return BitmapFactory.decodeStream(getInputStreamFromAsset(path));
}
private BufferedInputStream getInputStreamFromAsset(String path) throws IOException {
return new BufferedInputStream(mContext.getAssets().open(path));
}
}
| [
"[email protected]"
] | |
021027b12a56a9b4f97f357920ceab4ed3aeac5e | ec51db11bb6d8d82a11bfb29908fbcb576eb6cd5 | /open-log-collection/src/main/java/org/apel/open/LoggerApplication.java | a3e0b1a998701e1a866d86abd40eddcb1c3c2dae | [] | no_license | V060423/open | c01b96c3a7941c3ef21f14e0c9346c7ab1878fac | 05b5167b1e27f4fa1991cd2e77707d050df98388 | refs/heads/master | 2020-03-20T23:57:36.513925 | 2018-06-21T03:34:28 | 2018-06-21T03:34:28 | 137,871,531 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 455 | java | package org.apel.open;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
/**
* @author wangbowen
* @Description 日志服务,监听消息队列中的日志,并存储到数据库
* @Date 2018/6/19 15:05
*/
@SpringBootApplication
public class LoggerApplication {
public static void main(String[] args) {
SpringApplication.run(LoggerApplication.class, args);
}
}
| [
"xiaowen1314jun../"
] | xiaowen1314jun../ |
8da4395f2436b0a6245cfbd621cdfe651633061b | 35d7dbcc050804485465a3e42722ddd49b9cca97 | /src/main/java/org/khw/book/chap11/servlets/MainServlet.java | a463221f11692709dcc986cb08d41f6d6c1d3120 | [] | no_license | KImHyeongWook1/khw-servlets | 4b2c4e372e4a7050f39d963146e62fde04167fa7 | 76ed59944aaf92326dba8369a2e654d6963af75f | refs/heads/master | 2020-05-07T21:33:50.928081 | 2019-05-03T02:54:16 | 2019-05-03T02:54:16 | 180,909,755 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 574 | java | package org.khw.book.chap11.servlets;
import java.io.IOException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
@WebServlet("/main")
public class MainServlet extends HttpServlet {
@Override
public void doGet(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException {
request.getRequestDispatcher("/WEB-INF/jsp/main.jsp").forward(request,
response);
}
} | [
"[email protected]"
] | |
b79bdebfd667f1ae9a3e5620969b7fc7bb788a81 | 6b744b021df945856d14bf01c589e9f0cbb61c2a | /MyNguyen/src/test/java/Railway/ChangePasswordTest.java | 473cbbf879210371862ca14e9c654ecb8a2ebdfb | [] | no_license | mynguyen28/MyNguyenSelenium | 810b490fe80d81165e3b2b2831f34965d02a0b8c | a84e585af6e3d9b707a13cdbd54fbc496233350f | refs/heads/master | 2020-04-07T12:32:27.115876 | 2019-01-17T10:34:26 | 2019-01-17T10:34:26 | 158,371,462 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,626 | java | package Railway;
import static org.testng.Assert.assertEquals;
import org.testng.annotations.AfterMethod;
import org.testng.annotations.BeforeMethod;
import org.testng.annotations.Test;
import Common.Constant.Message;
import Common.Common.Utilities;
import Common.Constant.Constant;
import Common.Constant.Constant.PageName;
import PageObjects.Railway.ChangePasswordPage;
import PageObjects.Railway.EmailSystemPage;
import PageObjects.Railway.HomePage;
import PageObjects.Railway.LoginPage;
import PageObjects.Railway.RegisterPage;
public class ChangePasswordTest extends BasicTest {
@BeforeMethod
public void beforeMethod() {
homePage.gotoPage(PageName.LOGIN);
}
@AfterMethod
public void afterMethod() {
loginPage.logOut();
}
@Test(description = "TC09 - User can change password")
public void TC09() {
loginPage.gotoPage(PageName.REGISTER);
String email = Utilities.generateEmail();
registerPage.register(email, Constant.PASSWORD);
emailSystemPage.activeAccountByEmail(email);
registerPage.gotoPage(PageName.LOGIN);
loginPage.login(email, Constant.PASSWORD);
loginPage.gotoPage(PageName.CHANGEPASSWORD);
changePasswordPage.changePassword(Constant.PASSWORD, Constant.NEW_PASSWORD);
assertEquals(changePasswordPage.getSuccessMessageChangePassword(), Message.SUCCESS_CHANGE_PASSWORD_MESSAGE);
}
private HomePage homePage = new HomePage();
private LoginPage loginPage = new LoginPage();
private ChangePasswordPage changePasswordPage = new ChangePasswordPage();
private RegisterPage registerPage = new RegisterPage();
private EmailSystemPage emailSystemPage = new EmailSystemPage();
}
| [
"my.nguyen"
] | my.nguyen |
0cc6021531e1a91de19699fecb930ca048ff8aa2 | 7dfb762f01e04fd4e42b4bf705bfc79979d86dbb | /src/main/java/com/amit/kfc/App.java | d286f470bb732d0931a1833c4f69097d592645db | [] | no_license | drag-bck/RestaurantManagementSystem | a54bb40241d27ae91eb75acaf1c8e5d615a40f13 | b061229040ccb874a992a42558cc77eee198c1ac | refs/heads/master | 2020-03-30T07:38:06.151901 | 2018-09-30T09:50:34 | 2018-09-30T09:50:34 | 150,954,354 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 186 | java | package com.amit.kfc;
import com.amit.kfc.controller.Models;
public class App {
public static void main(String args[]) {
Models models = Models.getInstance();
models.init();
}
}
| [
"[email protected]"
] | |
a0e1ab19c2f8b3f978456a1ebd4458b563e9eedb | 42976852438d61998f740dce9d36b4fea3c25dff | /src/main/java/com/designpattern/combining/factory/Quackable.java | be7265d2be0cf2a8deb44feb7bf834564f5d0cf0 | [] | no_license | xueshuiyy/designpatterns | e2f125ed549e660d2e86bb15d0303ce5873ddbc8 | 13d703c569fa25c6b61b28c8071e6473aaed62a7 | refs/heads/master | 2020-05-03T20:21:05.559728 | 2019-04-01T07:01:43 | 2019-04-01T07:01:43 | 178,801,032 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 99 | java | package com.designpattern.combining.factory;
public interface Quackable {
public void quack();
}
| [
"[email protected]"
] | |
ad6d1fd5493d6c7bde28e89f90bc1f8176c056e4 | 7e93f493b79d1bf2e341cb7fec2f3f54637caad6 | /BOJ/9507_GenerationOfTribbles.java | 0dfdb446c1f81862b5483b6cc573b8178a3e9a24 | [] | no_license | seoheewon/Coding-Test | 08441e5eb0c43ce026c87f72b32c17ed272a8a2a | a1aaa250654009c06275b5dfa14496b64cf3c489 | refs/heads/master | 2023-04-05T00:35:13.895973 | 2021-04-15T07:18:57 | 2021-04-15T07:18:57 | 141,401,012 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 519 | java | import java.io.*;
public class Main {
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int T = Integer.parseInt(br.readLine());
long[] tc = new long[68];
tc[0] = 1; tc[1] = 1; tc[2] = 2; tc[3] = 4;
for(int i=0;i<T;i++) {
int num = Integer.parseInt(br.readLine());
if(num>3) {
for(int j=4;j<=num;j++) {
tc[j] = tc[j-1] + tc[j-2] + tc[j-3] + tc[j-4];
}
}
System.out.println(tc[num]);
}
}
}
| [
"[email protected]"
] | |
c1a4f91af6a4b661069ac1dba22c1bd610f9d94a | 30f4cae642142e81a081afd6eaf120966c6c637e | /zeus/src/main/java/com/zeus/core/db/DatabaseManager.java | 16189941de44d04c8dcbe2701725bba84618869e | [
"Apache-2.0"
] | permissive | XDebuff/Zeus | 0212b9981b916b713a2bdd7e3454bdb2a2a4483d | 207290af1c8ecc49b8b15dec8b92f948fa5c61f9 | refs/heads/master | 2020-12-28T05:39:47.615118 | 2020-11-11T14:37:25 | 2020-11-11T14:37:25 | 238,199,715 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 5,367 | java | package com.zeus.core.db;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.text.TextUtils;
import android.util.Log;
import com.j256.ormlite.support.ConnectionSource;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
/***************************************************
* Author: Debuff
* Data: 2017/5/21
* Description: 数据库表添加,数据库升级
***************************************************/
public class DatabaseManager {
private final int mOldVersion;
private final int mNewVersion;
private final SQLiteDatabase mSqLiteDatabase;
private List<String> passTables = Arrays.asList(new String[]{"sqlite_sequence", "android_metadata"});
public void setICreateTable(ICreateTable ICreateTable) {
mICreateTable = ICreateTable;
}
private ICreateTable mICreateTable;
public DatabaseManager(SQLiteDatabase sqLiteDatabase, DBUpgradeInfo dbUpgradeInfo) {
super();
mSqLiteDatabase = sqLiteDatabase;
mOldVersion = dbUpgradeInfo.getOldVersion();
mNewVersion = dbUpgradeInfo.getNewVersion();
}
public void upgradeTable() throws SQLException {
//todo 应该是事务操作
//获取所有表
List<TableSet> tableSets = getAllTables();
//更名旧表
renameTables(tableSets);
//创建新表
createTables();
//将旧表数据拷贝至新表
moveData(tableSets);
//删除现有表
dropTable(tableSets);
//拷贝临时表
}
private void dropTable(List<TableSet> tableSets) {
for (TableSet table : tableSets) {
String sql = "DROP TABLE " + table.getTempTableName();
mSqLiteDatabase.execSQL(sql);
}
}
private void moveData(List<TableSet> tableSets) {
for (TableSet table : tableSets) {
StringBuilder columnsStr = new StringBuilder();
String oldTableName = table.getTempTableName();
String newTableName = table.getTableName();
//旧字段
Map<String, Integer> newColumn = new HashMap<>();
Cursor columnCursor = mSqLiteDatabase.rawQuery("PRAGMA table_info(" + oldTableName + ")", null);
Cursor newColumnCursor = mSqLiteDatabase.rawQuery("PRAGMA table_info(" + newTableName + ")", null);
//新的列
if (newColumnCursor != null && newColumnCursor.moveToFirst()) {
do {
newColumn.put(newColumnCursor.getString(1), 1);
} while (newColumnCursor.moveToNext());
}
if (columnCursor != null && columnCursor.moveToFirst()) {
do {
if (newColumn.containsKey(columnCursor.getString(1))) {
columnsStr.append(columnCursor.getString(1)).append(",");
}
} while (columnCursor.moveToNext());
}
columnsStr.delete(Math.max(0, columnsStr.length() - 1), columnsStr.length());
if (columnCursor != null) {
columnCursor.close();
}
if (newColumnCursor != null) {
newColumnCursor.close();
}
Log.d("upgradeTables", columnsStr.toString());
if (!TextUtils.isEmpty(columnsStr)) {
String sql = "INSERT INTO " + newTableName +
" (" + columnsStr + ") " +
" SELECT " + columnsStr + " FROM " + oldTableName;
mSqLiteDatabase.execSQL(sql);
}
}
}
private void renameTables(List<TableSet> tableSets) {
for (TableSet tableSet : tableSets) {
mSqLiteDatabase.execSQL("ALTER TABLE " + tableSet.getTableName()
+ " RENAME TO " + tableSet.getTempTableName());
}
}
public List<TableSet> getAllTables() {
List<TableSet> allTables = new ArrayList<>();
Cursor cursor = mSqLiteDatabase.rawQuery("select name from sqlite_master " +
"where type='table' order by name", null);
while (cursor.moveToNext()) {
String tableName = cursor.getString(0);
if (!passTables.contains(tableName)) {
allTables.add(new TableSet(tableName));
}
}
return allTables;
}
private void createTables() throws SQLException {
if (mICreateTable == null) {
throw new IllegalArgumentException("接口没有实现");
}
mICreateTable.createAllTable();
}
class TableSet {
public String getTableName() {
return tableName;
}
private String tableName;
public String getTempTableName() {
return tempTableName;
}
private String tempTableName;
public TableSet(String tableName) {
this.tableName = tableName;
this.tempTableName = "temp_" + tableName;
}
}
public interface ICreateTable {
void createAllTable() throws SQLException;
}
}
| [
"[email protected]"
] | |
ef80921dc575b77a508cb123a2b17a8a8d0225b9 | f8cf51eb4f81ed2b40834d73b165c2c8062873cb | /switch-cloud/switch-cloud-manageport/src/main/java/com/windaka/suizhi/manageport/model/TJInfoPub.java | 12012aee45064f53a904b534269fad948212119d | [] | no_license | wujianjun789/oldGongan | 646bd5b22e0d9382cf6ee2a0941035d99f9aa961 | 8d85b827d8829e3923db174a8f3a867d73547db1 | refs/heads/master | 2022-10-24T16:09:01.324790 | 2020-06-09T08:22:45 | 2020-06-09T08:22:45 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 741 | java | package com.windaka.suizhi.manageport.model;
import lombok.Data;
import java.io.Serializable;
import java.util.Date;
/**
* 统计-信息发布Model
* @Author pxl
* @create: 2019-05-29 10:28
*/
@Data
public class TJInfoPub implements Serializable {
private static final long serialVersionUID = 1L;
private String id;
private String xq_code; // 小区编码
private Integer month; // 月份(1-12)
private Integer info_count; // 该月的信息发布数量
private Date oper_date; //上传操作的时间(yyyy-MM-dd)
private String cre_by; // 创建者USER_ID
private Date cre_time; // 创建时间
private String upd_by; // 更新者USER_ID
private Date upd_time; // 更新时间
}
| [
"hanjiangtao"
] | hanjiangtao |
6ac14a03cb00fc8233cb9e305c4c7b3c3ff5bcbb | 38e4e49012ae3ecaaf58a260a7d760d8fad8f66f | /cloud-consumer-feign-order80/src/main/java/com/atguigu/springcloud/controller/OrderFeignController.java | 7a90c7f20cdfec02576895c1bc2ffa038ffba12e | [] | no_license | jwen1994/cloud2020 | 02a888c62eb769d38e2514b17dae3de7359728ae | 614eee6d92f5ed4268856c81504d1080c38c9a54 | refs/heads/master | 2023-03-23T16:57:02.397177 | 2021-03-10T03:19:10 | 2021-03-10T03:19:10 | 341,524,958 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 907 | java | package com.atguigu.springcloud.controller;
import com.atguigu.springcloud.entities.CommonResult;
import com.atguigu.springcloud.entities.Payment;
import com.atguigu.springcloud.service.PaymentFeignService;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RestController;
import javax.annotation.Resource;
@RestController
public class OrderFeignController {
@Resource
private PaymentFeignService paymentFeignService;
@GetMapping(value = "/consumer/payment/get/{id}")
public CommonResult<Payment> getPaymentById(@PathVariable("id") Long id){
return paymentFeignService.getPaymentById(id);
}
@GetMapping(value = "/consumer/payment/feign/timeout")
public String paymentFeignTimeout(){
return paymentFeignService.paymentFeignTimeout();
}
} | [
"[email protected]"
] | |
1e6073cbb7a908b20863cf1b08245e7750da1f59 | 316098af0f987ea8066028a89d47e80f884dcb41 | /MidTermProjectSem2/src/CLO.java | 0be44c57b4f99cc066c13725818826a856c9470f | [] | no_license | alidotdev/MidTermProjectSem2 | 04231a980370caf04e7b8ac4ed4bb4467cd27ccd | 04ee4b4a6635aa0fc89549542ec18c6659a8599d | refs/heads/main | 2023-04-30T17:58:21.489061 | 2021-04-24T10:26:33 | 2021-04-24T10:26:33 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 255 | 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.
*/
/**
*
* @author Muhammad Ali Murtaza
*/
public class CLO {
}
| [
"[email protected]"
] | |
e1fb89d91ce893035cebf0ce4a8c0632d4af58f7 | 5f86586428ee44cfbe9fb0022ede2082b9981f76 | /example/BPM/HeartController.java | 5b879b22f2372ecae3702203c47b750c14fc511b | [] | no_license | czliyu/head-first | 36dfddf2ef482f76436d3f314f64d03b42305907 | 35aa2c8b1623a1b6617a1c2b722be055b59a1766 | refs/heads/main | 2023-01-28T01:35:16.350530 | 2020-12-11T12:35:42 | 2020-12-11T12:35:42 | 317,217,514 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 583 | java | package example.BPM;
public class HeartController implements ControllerInterface {
HeartModelInterface model;
DJView view;
public HeartController(HeartModelInterface model) {
this.model = model;
view = new DJView(this, new HeartAdapter(model));
view.createView();
view.createControls();
view.disableStopMenuItem();
view.disableStartMenuItem();
}
public void start() {}
public void stop() {}
public void increaseBPM() {}
public void decreaseBPM() {}
public void setBPM(int bpm) {}
}
| [
"[email protected]"
] | |
5307c8f7c7125414f64d3723bd18dc079ada2b79 | d290dfc198c894af23c7fbe91c4a139e2ade4a37 | /src/ProfileMode.java | c3d2a192137f8f257822535cfb8e584ec35dd122 | [] | no_license | ggomes/detectormodel | 16f2a5de1eb898b09ea29f1f2d025fe78c418aa5 | cc454ff4dbc610769f2a77db883ccbcb3a8ebddf | refs/heads/master | 2021-01-21T10:13:17.825752 | 2013-12-27T03:46:08 | 2013-12-27T03:46:08 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 60 | java |
public enum ProfileMode {
IncreasingEntropy,ShocksOnly;
}
| [
"[email protected]"
] | |
e18614000fe410262acbb1f4c39d5b610c40c307 | 182f99d02a1af4343ca39966514944acdcbf21f6 | /src/test/java/step_definitions/configuration/CreateAlerts_StepDefinition.java | 82edf8aee02ac988a38ed1265d7ae538dda058ae | [] | no_license | Yusufurkan/LastMondayProject | e0f575a926da7a940255cb85b7b636e0798ee670 | 418de3a3b18317755704c00fd035aa58c4f0b7b2 | refs/heads/master | 2020-04-29T04:57:55.854321 | 2019-04-14T23:20:57 | 2019-04-14T23:20:57 | 175,865,220 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 1,827 | java | package step_definitions.configuration;
import cucumber.api.java.en.Then;
import org.junit.Assert;
import utilities.Pages;
public class CreateAlerts_StepDefinition {
Pages pages = new Pages();
@Then("click on create")
public void click_on_create() {
pages.alertsPage().create.click();
}
@Then("select recurrence {string}")
public void select_recurrence(String recurrence) {
pages.createAlertPage().selectRecurrence(recurrence);
}
@Then("enter a date")
public void enter_a_date() {
pages.createAlertPage().day.sendKeys(pages.createAlertPage().date(10));
}
@Then("enter between and end")
public void enter_between_and_end() {
pages.createAlertPage().between.clear();
pages.createAlertPage().between.sendKeys("01.01");
pages.createAlertPage().and.clear();
pages.createAlertPage().and.sendKeys("21.21");
}
@Then("click save")
public void click_save() {
pages.createAlertPage().save.click();
}
@Then("verify error message is displayed")
public void verify_error_message_is_displayed() {
Assert.assertTrue(pages.createAlertPage().errorMessage.isDisplayed());
}
@Then("enter a message")
public void enter_a_message() {
pages.createAlertPage().message.sendKeys("This the new Alert.");
}
@Then("click on discard")
public void click_on_discard() {
pages.createAlertPage().discard.click();
}
@Then("click okay in pop up")
public void click_okay_in_pop_up() {
pages.createAlertPage().warningOk.click();
}
@Then("verify the size is same")
public void verify_the_size_is_same() {
Assert.assertTrue(manageAlerts_StepDefinition.sizeBeforeAction == manageAlerts_StepDefinition.sizeAfterAction);
}
}
| [
"[email protected]"
] | |
a3fcb65c75394cdfce628306405ddc89c13c6891 | 0d37aa5a843b424cccfc3d5f9ce6547c5b6f2440 | /java/src/ch04/s03/Enumeration.java | 4a95e4779890205a216aca7f58243dd1dc0f25e7 | [
"MIT"
] | permissive | theVelopr/refresh | 4d93bde81b2d1202556496ed72b2f322b1e9a0d7 | cc8f2bbfe30f2b9f6d45fb826526b48d70ae67cf | refs/heads/main | 2023-04-30T06:40:51.094776 | 2021-05-27T01:21:41 | 2021-05-27T01:21:41 | 365,957,802 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,213 | java | package ch04.s03;
/**
* 열거형 (Enumeration)
* enum 키워드로 표현
* 내부적인 구현은 enum -> java.lang.Enum 클래스를 상속받음
* enum은 다른 클래스를 상속하지 못함
*
* 열거형은 다른 클래스를 상속하지 못하지만, 인터페이스 구현은 가능
* 열거형 타입에는 열거형 상수와 null 값 할당 가능
*/
enum Job { // 각 상수는 0부터 숫자를 가지지만, 심블로만 사용하고 숫자는 사용하지 않음.
STUDENT, MARKETING, DEVELOPER, CEO;
}
class Foo { // 클래스 내부에서 메소드 구현
enum Symbol {
ONE, TWO, THREE, FOUR;
public Symbol nextSymbol() {
if(this.equals(ONE)) {
return TWO;
} else if (this.equals(TWO)) {
return THREE;
} else if (this.equals(THREE)) {
return FOUR;
} else {
return ONE;
}
}
}
}
// 열거형 생성자를 이용한 enum 상수 초기화
enum Family {
FATHER("아버지"), MOTHER("어머니"), SON("아들"), DAUGHTER("딸"); // 열거형 상수(객체)
private String koreanWord; // 멤버변수 (객체에 속하는 변수)
// private은 생략 가능, public 불가능
private Family(String koreanWord) {
this.koreanWord = koreanWord;
}
public String getKoreanWord() {
return koreanWord;
}
public void setKoreanWord (String koreanWord) {
this.koreanWord = koreanWord;
}
}
public class Enumeration {
public static void main(String[] args) {
Job job = Job.STUDENT; // 클래스 변수와 유사하게 사용
if(job == Job.CEO) {
System.out.println("Good morning, President");
}
char c = 'A';
switch (c) {
case 'A' :
break;
case 'B' :
break;
default:
}
switch (job) { // switch case문에는 열거형 자료형을 생략한다.
case STUDENT:
System.out.println("You will become a great one.");
break;
case MARKETING:
System.out.println("Sell the product.");
break;
case DEVELOPER:
System.out.println("Make things working.");
break;
case CEO:
System.out.println("You choose");
break;
default:
System.out.println("Who are you?");
}
System.out.println(Foo.Symbol.ONE);
// 열거형 메소드
Foo.Symbol sym = Foo.Symbol.ONE; // 열거형 상수는 객체이다.
Foo.Symbol nextSym = sym.nextSymbol();
System.out.println(nextSym); // TWO
nextSym = nextSym.nextSymbol();
System.out.println(nextSym); // THREE
// 열거형 생성자와 멤버 변수 활용
Family fam = Family.SON;
System.out.println(fam.getKoreanWord()); // 아들
fam.setKoreanWord("버린 자식");
System.out.println(fam.getKoreanWord()); // 버린 자식
System.out.println(Family.SON.getKoreanWord()); // 버린 자식
}
}
| [
"[email protected]"
] | |
9be4474e3e39f2728fa85faa623581df55005503 | 72451944f5e57ce17f60442783229f4b05d207d7 | /code/src/com/asiainfo/stopSelling/dao/interfaces/IStopSellMDAO.java | 4516e721437991f31336dc59c28e8ac399be769e | [] | no_license | amosgavin/db2app55 | ab1d29247be16bc9bbafd020e1a234f98bac1a39 | 61be5acb3143f5035f789cd0e0fd4e01238d9d7d | refs/heads/master | 2020-04-07T08:26:20.757572 | 2018-07-13T01:55:47 | 2018-07-13T01:55:47 | null | 0 | 0 | null | null | null | null | GB18030 | Java | false | false | 1,410 | java | package com.asiainfo.stopSelling.dao.interfaces;
import com.asiainfo.stopSelling.ivalues.IBOStopSellMValue;
public interface IStopSellMDAO {
public int save(IBOStopSellMValue[] stopSellCharge) throws Exception;
public IBOStopSellMValue getStopSellMInfoById(String mainId)
throws Exception;
public IBOStopSellMValue[] query(String mainId, String applyName,
String itemType, String principal, String cityId, String state,
String beginTime, String endTime, int startNum, int endNum)
throws Exception;
public int queryCn(String mainId, String applyName, String itemType,
String principal, String cityId, String state, String beginTime,
String endTime) throws Exception;
public void changeStsTo2(String mainId) throws Exception, RuntimeException;
/**
* 同意-修改工单状态
*
* @param orderId
* @throws Exception
* @throws RuntimeException
*/
public void changeStsToAgreen(String mainId) throws Exception,
RuntimeException;
/**
* 不同意-修改工单状态
*
* @param orderId
* @throws Exception
* @throws RuntimeException
*/
public void changeStsToNo(String mainId, String choice) throws Exception,
RuntimeException;
/**
* 该表工单状态
*
* @param orderId
* @param state
* @throws Exception
* @throws RuntimeException
*/
public void changeStsTo(String mainId, String state) throws Exception,
RuntimeException;
}
| [
"[email protected]"
] | |
a775ff4a26c6962098174796614a5e2ee8b28432 | 8858147b8d4c1c673cb58e9a34994ac726c12a73 | /PatternRecognition/Fast.java | a5b422556bea2e77ab45761edc1c9e570d1cf141 | [] | no_license | Altynai/CourseraAlgorithms | 0ae3dbec8c4fd2cfb89ce4b64576e722caf95ffd | 12dbc117deb03e71a3ba6ca1d36f29305523189d | refs/heads/master | 2020-06-30T00:37:43.684942 | 2013-12-18T13:44:10 | 2013-12-18T13:44:10 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,416 | java | import java.io.File;
import java.io.FileNotFoundException;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.HashSet;
import java.util.Scanner;
import java.util.TreeMap;
public class Fast {
private static void swap(Point[] points, int i, int j) {
Point swap = points[i];
points[i] = points[j];
points[j] = swap;
}
public static void main(String[] args) {
Scanner stdin = null;
try {
stdin = new Scanner(new File(args[0]));
} catch (FileNotFoundException e) {
e.printStackTrace();
}
int n = stdin.nextInt();
int lineCount = 0;
// point[i] belongs to which line
ArrayList<HashSet<Integer>> lines = new ArrayList<HashSet<Integer>>();
Point[] points = new Point[n];
// index points
TreeMap<Point, Integer> hashPoints = new TreeMap<Point, Integer>();
for (int i = 0; i < n; i++) {
lines.add(new HashSet<Integer>());
int x = stdin.nextInt();
int y = stdin.nextInt();
points[i] = new Point(x, y);
hashPoints.put(points[i], i);
}
StdDraw.setXscale(0, 32768);
StdDraw.setYscale(0, 32768);
for (int i = 0; i < n; i++) {
swap(points, 0, i);
Arrays.sort(points, 1, n, points[0].SLOPE_ORDER);
int j = 1, sameSlope = 1, currentIndex = 1;
while (currentIndex < n) {
sameSlope = 1;
j = currentIndex + 1;
while (j < n) {
if (points[0].slopeTo(points[j - 1]) != points[0]
.slopeTo(points[j]))
break;
j++;
sameSlope++;
}
if (sameSlope >= 3) {
int tailId = hashPoints.get(points[currentIndex]);
int headId = hashPoints.get(points[j - 1]);
boolean hasCommonLine = false;
for (Integer x : lines.get(headId)) {
if (lines.get(tailId).contains(x)) {
hasCommonLine = true;
break;
}
}
if (!hasCommonLine) {
// print and draw
Point[] temp = new Point[j - currentIndex + 1];
lineCount++;
for (int k = currentIndex; k < j; k++)
temp[k - currentIndex] = points[k];
temp[j - currentIndex] = points[0];
Arrays.sort(temp);
for (int k = 0; k < temp.length; k++) {
int id = hashPoints.get(temp[k]);
lines.get(id).add(lineCount);
if (k != 0)
StdOut.print(" -> ");
StdOut.print(temp[k]);
temp[k].draw();
if (k + 1 < temp.length)
temp[k].drawTo(temp[k + 1]);
}
StdOut.print("\n");
}
}
currentIndex = j;
}
}
}
}
| [
"[email protected]"
] | |
9b0df6c34c3f541a0833da8552808368ba2dad4c | 9ecee81cedaaeee6d0b271fcc9567621a2b57bf3 | /feedReader/src/main/java/com/feedreader/model/FeedSource.java | 7e235723b2471d780e6f262db79b98e8c6878984 | [] | no_license | aschmalz/RestApi | f21d9c4626c4f8b98739fa54fabd60b61bb2c198 | ef2df46f3653884654980d6cfe87349bcaacd2a0 | refs/heads/master | 2016-09-05T21:46:46.150988 | 2015-03-19T00:51:13 | 2015-03-19T00:51:13 | 32,490,208 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,367 | java | package com.feedreader.model;
import java.io.Serializable;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.Id;
import javax.persistence.Table;
import org.codehaus.jackson.annotate.JsonIgnoreProperties;
@Entity
@Table(name = "feedlink")
@JsonIgnoreProperties({ "hibernateLazyInitializer", "handler" })
public class FeedSource implements Serializable {
private static final long serialVersionUID = 1L;
@Id
@GeneratedValue
@Column(name = "id")
private int id;
@Column(name = "name")
private String Name;
@Column(name = "adress")
private String adress;
@Column(name = "comment")
private String comment;
@Column(name = "date")
private String date;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return Name;
}
public void setName(String name) {
Name = name;
}
public String getAdress() {
return adress;
}
public void setAdress(String adress) {
this.adress = adress;
}
public String getComment() {
return comment;
}
public void setComment(String comment) {
this.comment = comment;
}
public String getDate() {
return date;
}
public void setDate(String date) {
this.date = date;
}
}
| [
"[email protected]"
] | |
e416dce49542251a4b76e4830fd2a56fd8844d99 | 3e096dc4bd4df011aadaf236831fb2f5ba2f31f9 | /src/com/casic/datadriver/model/file/File.java | 3688089d1d19a535d836b85ddc0f541eb42c5575 | [] | no_license | hollykunge/newnewcosim | 2a42d99e7337263df4d53e0fadf20cb6c6381362 | dc3f86711a003f2608c75761792ea49c3da805d1 | refs/heads/master | 2020-03-29T09:15:05.705190 | 2019-07-22T08:48:09 | 2019-07-22T08:48:09 | 149,748,589 | 1 | 5 | null | 2019-07-22T08:48:10 | 2018-09-21T10:29:04 | JavaScript | UTF-8 | Java | false | false | 1,336 | java | package com.casic.datadriver.model.file;
public class File {
private Integer ddFileId;
private String ddFileName;
private String ddFileSvrname;
private String ddFileDescription;
private Integer ddFileType;
private Integer ddFileKeyword;
public Integer getDdFileId() {
return ddFileId;
}
public void setDdFileId(Integer ddFileId) {
this.ddFileId = ddFileId;
}
public String getDdFileName() {
return ddFileName;
}
public void setDdFileName(String ddFileName) {
this.ddFileName = ddFileName;
}
public String getDdFileSvrname() {
return ddFileSvrname;
}
public void setDdFileSvrname(String ddFileSvrname) {
this.ddFileSvrname = ddFileSvrname;
}
public String getDdFileDescription() {
return ddFileDescription;
}
public void setDdFileDescription(String ddFileDescription) {
this.ddFileDescription = ddFileDescription;
}
public Integer getDdFileType() {
return ddFileType;
}
public void setDdFileType(Integer ddFileType) {
this.ddFileType = ddFileType;
}
public Integer getDdFileKeyword() {
return ddFileKeyword;
}
public void setDdFileKeyword(Integer ddFileKeyword) {
this.ddFileKeyword = ddFileKeyword;
}
} | [
"[email protected]"
] | |
15083ea3fa74a7a8a812257a79af85935c2dd865 | e6c6729096b6a5714ed910d26b22a89d5ebf4bfc | /src/org/wangbo/factory/simplefactory/pizzastore/pizza/Pizza.java | e316dbf1bd68f0b0881e7a0cab9b79d4fa773c39 | [] | no_license | jason-wang1/DesignPattern | 7cc68d6b7357276cafde31103e72e07e1e695ec4 | e57188c3f8c48386c3c88ff6def60e384ded1d26 | refs/heads/master | 2022-12-08T15:47:31.820782 | 2020-09-02T14:57:24 | 2020-09-02T14:57:24 | 291,656,787 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 605 | java | package org.wangbo.factory.simplefactory.pizzastore.pizza;
/**
* Descreption: XXXX<br/>
* Date: 2020年08月22日
*
* @author WangBo
* @version 1.0
*/
public abstract class Pizza {
protected String name;
public Pizza() {
}
public abstract void prepare();
public void bake() {
System.out.println(this.name + " baking;");
}
public void cut() {
System.out.println(this.name + " cutting;");
}
public void box() {
System.out.println(this.name + " boxing;");
}
public void setName(String name) {
this.name = name;
}
}
| [
"[email protected]"
] | |
55178a5b6952764b3a1b683f3fd757c91f98cc48 | 119f5822841a26a5160c0194aacabb74f496cadb | /d7/wlasna_kolekcja_zadanie_rozwiazanie/src/main/java/Main.java | 53fb9494ec4ca556ddd4a742fdf17ae27a57216a | [] | no_license | LukaszTheProgrammer/javacze | 1d20ad3f0327ac39208e48813def994bdbafff88 | aff6bd7969180936ce849e31412ad2b863c5386a | refs/heads/master | 2020-04-15T00:28:21.181440 | 2019-01-25T18:34:01 | 2019-01-25T18:34:01 | 164,241,357 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,015 | java | class Kolekcja <T> {
Object [] liczby = new Object[100];
int rozmiar = 0;
public Kolekcja(T... liczby) {
for (int i = 0; i < liczby.length; i++) {
this.liczby[i] = liczby[i];
rozmiar++;
}
}
public void dodaj(T element) {
liczby[rozmiar] = element;
rozmiar++;
}
public int size() {
return rozmiar;
}
public T pobierz(int index) {
return (T) liczby[index];
}
}
public class Main {
public static void main(String[] args) {
Kolekcja<Integer> k = new Kolekcja<>(1, 2);
Kolekcja<String> kolekcjaNapisow = new Kolekcja<>("Ala", "Aga", "Tomek");
// rozmiar k wynosi 2 i przechowuje 1,2
k.dodaj(5);
// rozmiar k wynosi 3 i przechowuje 1,2,5
for (int i = 0; i < k.size(); ++i) {
System.out.println(k.pobierz(i));
}
for (int i = 0; i < kolekcjaNapisow.size(); ++i) {
System.out.println(kolekcjaNapisow.pobierz(i));
}
//Zdefiniuj dowolną klasę z 2 polami. Na przykład Osoba z imieniem i nazwiskoem.
//Zdefiniuj klasę Kolekcja która będzie posiadała 1 pole będące listą 100 Osób lub innych typów które
// wceśniej utworzyłeś/aś.
//Stwórz konstruktor przyjmujący jako jedyny parametr dowolną ilość osób ( varargs )
//Wpisz osoby do listy klasy Kolekcja.
//W metodzie main stwórz obiekt klasy Kolekcja z 2 lub 3 obiektami klasy Osoba:
//Kolekcja k = new Kolekcja(new Osoba("Jan", "Nowak"), new Osoba("Tomasz","Kruk"));
//Dodaj do klasy Kolekcja metodę rozmiar która będzie drukować rozmiar kolekcji.
//Następnie użyj na obiekcie klasy Kolekcja drukując jej rozmiar
//Wypisz zawartość kolekcji na ekranie
//Dodaj do klasy Kolekcja metodę "dodaj" która umożliwi dodawanie elementów do kolekcji
//Użyj dodając kilka obiektów do kolekcji i wypisz ponownie zawartość
}
}
| [
"[email protected]"
] | |
d73f97429013520c87154f13eaf9f919a6130f7e | 73b1ccaab212efd5b69bfb3b8fb7492f8882d465 | /src/main/java/su/nikitos/social/engine/Game.java | 45c293f3fc866343f5b1995e4b4d375e91a1b810 | [] | no_license | shimotakatani/social | 22e483f4f5630e1552f6edd6d5d1be39b14e5a70 | 1278915710a3abe9a6da0dfe1ae0d46f1180776c | refs/heads/master | 2021-04-27T15:44:05.919704 | 2018-02-27T09:48:01 | 2018-02-27T09:48:01 | 122,475,818 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,338 | java | package su.nikitos.social.engine;
import su.nikitos.social.engine.objects.GameMap;
import su.nikitos.social.engine.objects.GameOptions;
import su.nikitos.social.engine.objects.GameStats;
import su.nikitos.social.engine.objects.units.Rabbit;
import su.nikitos.social.engine.tactor.Tactor;
import javax.inject.Named;
import javax.inject.Singleton;
import java.util.HashMap;
import java.util.Map;
/**
* create time 22.02.2018
*
* Класс для запуска игры(симуляции)
* @author nponosov
*/
public class Game implements Runnable{
GameOptions startArgs = new GameOptions();
GameStats stats = new GameStats();
Tactor tactor = new Tactor();
Rabbit rabbit = new Rabbit();
GameMap map = new GameMap(5);
@Override
public void run() {
while (!stats.isFinish) {
//Обработка шагов игры
tactor.nextTact(); //переходим на следующий шаг
rabbit.doTact(map);
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
public String getGameSerilization(){
return map.getMapSerilization();
}
//функции для обработки входящих аргументов
}
| [
"[email protected]"
] | |
d1bf37edc5ca250fe224563f6ac4f4501f234fd5 | b9c2b60cde96c2e9111cc792a48edb02145b0f57 | /KorimaGIGS/KORIMA_PLAYER/app/src/main/java/com/example/korima_player/MainActivity.java | d9a544c90e4d788b0580c2f25b8c087e222ccab4 | [] | no_license | miwelomali/KorimaGIGS | 08e420a04504f2ab0c3ed31e31e2e921d85432e2 | c4e7f993e579295e19f0a5bf5fa2f8e228a716a9 | refs/heads/master | 2020-09-04T05:21:00.747022 | 2019-12-01T06:51:03 | 2019-12-01T06:51:03 | 219,666,328 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,839 | java | package com.example.korima_player;
import android.content.Intent;
import android.os.Bundle;
import com.google.android.material.floatingactionbutton.FloatingActionButton;
import com.google.android.material.snackbar.Snackbar;
import android.view.View;
import androidx.navigation.NavController;
import androidx.navigation.Navigation;
import androidx.navigation.ui.AppBarConfiguration;
import androidx.navigation.ui.NavigationUI;
import com.google.android.material.navigation.NavigationView;
import androidx.drawerlayout.widget.DrawerLayout;
import androidx.appcompat.app.AppCompatActivity;
import androidx.appcompat.widget.Toolbar;
import android.view.Menu;
public class MainActivity extends AppCompatActivity {
private AppBarConfiguration mAppBarConfiguration;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
Toolbar toolbar = findViewById(R.id.toolbar);
setSupportActionBar(toolbar);
FloatingActionButton fab = findViewById(R.id.fab);
fab.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Snackbar.make(view, "Replace with your own action", Snackbar.LENGTH_LONG)
.setAction("Action", null).show();
}
});
DrawerLayout drawer = findViewById(R.id.drawer_layout);
NavigationView navigationView = findViewById(R.id.nav_view);
// Passing each menu ID as a set of Ids because each
// menu should be considered as top level destinations.
mAppBarConfiguration = new AppBarConfiguration.Builder(
R.id.nav_home, R.id.nav_gallery, R.id.nav_slideshow,
R.id.nav_tools, R.id.nav_share, R.id.nav_send)
.setDrawerLayout(drawer)
.build();
NavController navController = Navigation.findNavController(this, R.id.nav_host_fragment);
NavigationUI.setupActionBarWithNavController(this, navController, mAppBarConfiguration);
NavigationUI.setupWithNavController(navigationView, navController);
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
getMenuInflater().inflate(R.menu.main, menu);
return true;
}
@Override
public boolean onSupportNavigateUp() {
NavController navController = Navigation.findNavController(this, R.id.nav_host_fragment);
return NavigationUI.navigateUp(navController, mAppBarConfiguration)
|| super.onSupportNavigateUp();
}
@Override
protected void onDestroy() {
super.onDestroy();
stopService( new Intent(this,MyRola.class));
}
}
| [
"[email protected]"
] | |
5fe057234b781809af95af24b5e0f208aa761843 | 55154bb7807496e7fc10e508ad6eb1bbc078b0a1 | /lesson_3/src/main/java/model/House.java | cbf734b9a7b3187d1b6d6a930efe2b0ba317dc4b | [] | no_license | Pavelstudent1/TeenageMutantJavaTurtles | f980ad18c9ffdb8f0bee3b9fef2d78a21f6148cd | 7a3208d49ef90ed06ddcec444c48ce39ef357636 | refs/heads/master | 2020-04-05T22:30:59.784093 | 2019-03-29T12:19:33 | 2019-03-29T12:19:33 | 157,258,996 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 739 | java | package model;
import java.util.List;
public class House {
private List<Flat> flats;
private HouseType type;
private String address;
public House(List<Flat> flats, HouseType type, String adress) {
this.flats = flats;
this.type = type;
this.address = adress;
}
public List<Flat> getFlats() {
return flats;
}
public void setFlats(List<Flat> flats) {
this.flats = flats;
}
public HouseType getType() {
return type;
}
public void setType(HouseType type) {
this.type = type;
}
public String getAddress() {
return address;
}
public void setAddress(String address) {
this.address = address;
}
}
| [
"[email protected]"
] | |
40b3f60505b89657cd3e33f4be98e8868430a223 | fa91450deb625cda070e82d5c31770be5ca1dec6 | /Diff-Raw-Data/9/9_4946815dc0b00ab9806b011c57c955b77dfbde07/CommandLineMessages/9_4946815dc0b00ab9806b011c57c955b77dfbde07_CommandLineMessages_t.java | af640deb937736a1eb704d4992a42f0ac128ee43 | [] | 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 | 571 | java | package aQute.lib.getopt;
import java.util.*;
import aQute.service.reporter.*;
public interface CommandLineMessages extends Messages {
ERROR Option__WithArgumentNotLastInAbbreviation_(String name, char charAt, String typeDescriptor);
ERROR MissingArgument__(String name, char charAt);
ERROR OptionCanOnlyOccurOnce_(String name);
ERROR NoSuchCommand_(String cmd);
ERROR TooManyArguments_(List<String> arguments);
ERROR MissingArgument_(String string);
ERROR UnrecognizedOption_(String name);
ERROR OptionNotSet_(String name);
}
| [
"[email protected]"
] | |
1b83869829b29b81b65ae5a8798928cf5f07c806 | f96a0a270346c3c69483fad8769839db8354872b | /app/src/main/java/com/administrator/yaya/bean/my/ranking/TestTodayRanking.java | b4e94e81c43587f6d90113408e019bed033b7bd2 | [] | no_license | sky1234567890sky/YaYa | 307bcf5a3a8c30ca75b18285fdeb40f36454d3b3 | bf74577992413319db294178acc9f1852b5b2d35 | refs/heads/master | 2020-08-30T04:10:44.818476 | 2019-12-05T12:29:39 | 2019-12-05T12:29:39 | 214,408,299 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,571 | java | package com.administrator.yaya.bean.my.ranking;
import java.util.List;
//今日排行
public class TestTodayRanking {
/**
* msg : 操作成功
* code : 0
* data : {"userInfoTop":{"id":1,"uid":1103,"uname":"王优秀","ucount":4},"list":[{"id":1,"uid":1103,"uname":"王优秀","ucount":4},{"id":2,"uid":1000,"uname":"丫丫","ucount":2}]}
*/
private String msg;
private int code;
private DataBean data;
public String getMsg() {
return msg;
}
public void setMsg(String msg) {
this.msg = msg;
}
public int getCode() {
return code;
}
public void setCode(int code) {
this.code = code;
}
public DataBean getData() {
return data;
}
public void setData(DataBean data) {
this.data = data;
}
public static class DataBean {
/**
* userInfoTop : {"id":1,"uid":1103,"uname":"王优秀","ucount":4}
* list : [{"id":1,"uid":1103,"uname":"王优秀","ucount":4},{"id":2,"uid":1000,"uname":"丫丫","ucount":2}]
*/
private UserInfoTopBean userInfoTop;
private List<ListBean> list;
public UserInfoTopBean getUserInfoTop() {
return userInfoTop;
}
public void setUserInfoTop(UserInfoTopBean userInfoTop) {
this.userInfoTop = userInfoTop;
}
public List<ListBean> getList() {
return list;
}
public void setList(List<ListBean> list) {
this.list = list;
}
public static class UserInfoTopBean {
/**
* id : 1
* uid : 1103
* uname : 王优秀
* ucount : 4
*/
private int id;
private int uid;
private String uname;
private int ucount;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public int getUid() {
return uid;
}
public void setUid(int uid) {
this.uid = uid;
}
public String getUname() {
return uname;
}
public void setUname(String uname) {
this.uname = uname;
}
public int getUcount() {
return ucount;
}
public void setUcount(int ucount) {
this.ucount = ucount;
}
}
public static class ListBean {
/**
* id : 1
* uid : 1103
* uname : 王优秀
* ucount : 4
*/
private int id;
private int uid;
private String uname;
private int ucount;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public int getUid() {
return uid;
}
public void setUid(int uid) {
this.uid = uid;
}
public String getUname() {
return uname;
}
public void setUname(String uname) {
this.uname = uname;
}
public int getUcount() {
return ucount;
}
public void setUcount(int ucount) {
this.ucount = ucount;
}
}
}
}
| [
"sky1234567890sky"
] | sky1234567890sky |
2670fe61ebed34ac077c5663a295912f8c9667aa | b6178780b1897aab7ee6b427020302622afbf7e4 | /src/main/java/pokecube/core/items/loot/functions/MakeMegastone.java | 21606da1e16497671f853edaf00a0509f61afac6 | [
"MIT"
] | permissive | Pokecube-Development/Pokecube-Core | ea9a22599fae9016f8277a30aee67a913b50d790 | 1343c86dcb60b72e369a06dd7f63c05103e2ab53 | refs/heads/master | 2020-03-26T20:59:36.089351 | 2020-01-20T19:00:53 | 2020-01-20T19:00:53 | 145,359,759 | 5 | 0 | MIT | 2019-06-08T22:58:58 | 2018-08-20T03:07:37 | Java | UTF-8 | Java | false | false | 2,887 | java | package pokecube.core.items.loot.functions;
import java.util.Map;
import java.util.Random;
import java.util.logging.Level;
import com.google.common.collect.Maps;
import com.google.gson.JsonDeserializationContext;
import com.google.gson.JsonObject;
import com.google.gson.JsonSerializationContext;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.util.ResourceLocation;
import net.minecraft.world.storage.loot.LootContext;
import net.minecraft.world.storage.loot.conditions.LootCondition;
import net.minecraft.world.storage.loot.functions.LootFunction;
import net.minecraftforge.fml.common.registry.GameRegistry.ObjectHolder;
import pokecube.core.handlers.ItemGenerator;
import pokecube.core.interfaces.PokecubeMod;
public class MakeMegastone extends LootFunction
{
@ObjectHolder(value = "pokecube:megastone")
public static final Item ITEM = null;
private static final Map<String, Integer> nameMap = Maps.newHashMap();
final String arg;
protected MakeMegastone(LootCondition[] conditionsIn, String arg)
{
super(conditionsIn);
this.arg = arg;
}
@Override
public ItemStack apply(ItemStack stack, Random rand, LootContext context)
{
if (ITEM == null)
{
PokecubeMod.log(Level.SEVERE, "No Megastone Item Registered?");
return stack;
}
if (nameMap.isEmpty())
{
for (int i = 0; i < ItemGenerator.variants.size(); i++)
{
nameMap.put(ItemGenerator.variants.get(i), i);
}
}
if (nameMap.containsKey(arg))
{
ItemStack newStack = new ItemStack(ITEM, stack.getCount(), nameMap.get(arg));
newStack.setTagCompound(stack.getTagCompound());
return newStack;
}
else
{
PokecubeMod.log(Level.SEVERE, "Error making megastone for " + arg);
}
return stack;
}
public static class Serializer extends LootFunction.Serializer<MakeMegastone>
{
public Serializer()
{
super(new ResourceLocation("pokecube_megastone"), MakeMegastone.class);
}
@Override
public void serialize(JsonObject object, MakeMegastone functionClazz,
JsonSerializationContext serializationContext)
{
object.addProperty("type", functionClazz.arg);
}
@Override
public MakeMegastone deserialize(JsonObject object, JsonDeserializationContext deserializationContext,
LootCondition[] conditionsIn)
{
String arg = object.get("type").getAsString();
return new MakeMegastone(conditionsIn, arg);
}
}
}
| [
"[email protected]"
] | |
2d99990ce0fe2c9d0a07b7949fe8bb5533d70b73 | e4f4e871317190cd9bea1ba071d910b70c82af76 | /src/main/java/com/zwy/ciserver/dao/UserEntityMapper.java | e225d7a933d2b81bf842e8a09717ee0663f11bb9 | [] | no_license | Afauria/CI_Server | 2c49ea1c01fbfc027e6a95dbb0ee54c2552cb392 | 37fdd9aebdb2462e7867d8f41dfeddbed6ff71fb | refs/heads/master | 2022-01-28T23:33:19.039898 | 2019-05-03T12:37:12 | 2019-05-03T12:37:12 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 253 | java | package com.zwy.ciserver.dao;
import com.zwy.ciserver.entity.UserEntity;
import java.util.List;
public interface UserEntityMapper {
int insert(UserEntity record);
int insertSelective(UserEntity record);
List<UserEntity> selectUsers();
} | [
"[email protected]"
] | |
380f85fc53da62d3d9570a458bbc1a75b6890db5 | ed041e3a37f80b641ab9ef8c37e718368342ce2c | /src/net/phoenix/cache/BytesCache.java | 76b738087ae9cbed2b90c38bf37d35a192b235ff | [
"MIT"
] | permissive | chud04/ImageViewEx | f4869502bc05eb92577ce9d67c020aebb4be00b4 | 090950b2713492ad3b2f492f314452b20b07d6f5 | refs/heads/master | 2021-01-16T18:15:42.575018 | 2013-03-04T00:57:39 | 2013-03-04T00:57:39 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,814 | java | package net.phoenix.cache;
import java.io.BufferedInputStream;
import java.io.BufferedOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import com.github.ignition.support.cache.*;
/**
* Implements a cache capable of caching byte arrays.
* It exposes helper methods to immediately access binary data as {@link byte}[] objects.
*
* @author Matthias Kaeppler
* @author Francesco Pontillo
*
*/
public class BytesCache extends AbstractCache<String, byte[]> {
public BytesCache(int initialCapacity, long expirationInMinutes, int maxConcurrentThreads) {
super("BytesCache", initialCapacity, expirationInMinutes, maxConcurrentThreads);
}
public synchronized void removeAllWithPrefix(String urlPrefix) {
CacheHelper.removeAllWithStringPrefix(this, urlPrefix);
}
@Override
public String getFileNameForKey(String imageUrl) {
return CacheHelper.getFileNameFromUrl(imageUrl);
}
@Override
protected byte[] readValueFromDisk(File file) throws IOException {
BufferedInputStream istream = new BufferedInputStream(new FileInputStream(file));
long fileSize = file.length();
if (fileSize > Integer.MAX_VALUE) {
throw new IOException("Cannot read files larger than " + Integer.MAX_VALUE + " bytes");
}
int dataLength = (int) fileSize;
byte[] data = new byte[dataLength];
istream.read(data, 0, dataLength);
istream.close();
return data;
}
@Override
protected void writeValueToDisk(File file, byte[] data) throws IOException {
BufferedOutputStream ostream = new BufferedOutputStream(new FileOutputStream(file));
ostream.write(data);
ostream.close();
}
}
| [
"[email protected]"
] | |
1bd83ba86990f57b3c390466ddacf25fe8359ab0 | 71ee0d41eeda8c8bb24d89490157a9083d8b65fc | /10_AnnotationConfigApplicationContext/src/com/gk/test/Test.java | 191c24fcca5ba9e7e6679ee3ed12dae5d7d528bc | [] | no_license | PranaySingh13/Spring-Core | 2dfdc1af0a494a40f6ec47e4463353a62ba8517e | b5acaa5c1688c12593524fcd2f2a39a47f9eb66b | refs/heads/master | 2022-12-24T07:48:22.111569 | 2020-10-02T19:18:50 | 2020-10-02T19:18:50 | 298,739,619 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,010 | java | package com.gk.test;
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import com.gk.beans.HelloBean;
import com.gk.beans.WelcomeBean;
import com.gk.config.BeanConfig;
public class Test {
public static void main(String[] args) {
ApplicationContext context = new AnnotationConfigApplicationContext(BeanConfig.class);
HelloBean bean1 = (HelloBean) context.getBean("helloBean");
System.out.println(bean1.sayHello());
HelloBean bean2 = (HelloBean) context.getBean("helloBean");
System.out.println(bean2.sayHello());
System.out.println(bean1);
System.out.println(bean2);
System.out.println(bean1 == bean2);
WelcomeBean bean3 = (WelcomeBean) context.getBean("welcomeBean");
System.out.println("Hello! " + bean3.getName());
String beannames[] = context.getBeanDefinitionNames();
for (String beanname : beannames) {
System.out.println(beanname);
}
}
}
| [
"[email protected]"
] | |
5a162fb54fa87e51f2cf8cd4427741637671f81c | 33b0888fb7da5bdc22c4e14b1db6bf4aa345146c | /projects/Studentreminder/app/src/main/java/com/example/sanjay/studentreminder/MainActivity.java | bf93065ccb99b66267ae7ab7a318e95e6c012b99 | [] | no_license | sanjaysanju06/Student-Reminder | 1412cabdc39f5141eede079aa6f82a2bb1cb3c4f | 27d5cdc9fb35c8ad6feaa6e18aa8bebdc89110b8 | refs/heads/master | 2020-04-18T20:20:52.185193 | 2019-01-26T20:35:41 | 2019-01-26T20:35:41 | 167,735,592 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,606 | java | package com.example.sanjay.studentreminder;
import android.content.Intent;
import android.os.Bundle;
import android.support.design.widget.FloatingActionButton;
import android.support.design.widget.Snackbar;
import android.view.View;
import android.support.design.widget.NavigationView;
import android.support.v4.view.GravityCompat;
import android.support.v4.widget.DrawerLayout;
import android.support.v7.app.ActionBarDrawerToggle;
import android.support.v7.app.AppCompatActivity;
import android.support.v7.widget.Toolbar;
import android.view.Menu;
import android.view.MenuItem;
public class MainActivity extends AppCompatActivity
implements NavigationView.OnNavigationItemSelectedListener {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
Toolbar toolbar = (Toolbar) findViewById(R.id.toolbar);
setSupportActionBar(toolbar);
DrawerLayout drawer = (DrawerLayout) findViewById(R.id.drawer_layout);
ActionBarDrawerToggle toggle = new ActionBarDrawerToggle(
this, drawer, toolbar, R.string.navigation_drawer_open, R.string.navigation_drawer_close);
drawer.setDrawerListener(toggle);
toggle.syncState();
NavigationView navigationView = (NavigationView) findViewById(R.id.nav_view);
navigationView.setNavigationItemSelectedListener(this);
}
@Override
public void onBackPressed() {
DrawerLayout drawer = (DrawerLayout) findViewById(R.id.drawer_layout);
if (drawer.isDrawerOpen(GravityCompat.START)) {
drawer.closeDrawer(GravityCompat.START);
} else {
super.onBackPressed();
}
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
getMenuInflater().inflate(R.menu.main, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle action bar item clicks here. The action bar will
// automatically handle clicks on the Home/Up button, so long
// as you specify a parent activity in AndroidManifest.xml.
int id = item.getItemId();
//noinspection SimplifiableIfStatement
if (id == R.id.action_settings) {
return true;
}
return super.onOptionsItemSelected(item);
}
@SuppressWarnings("StatementWithEmptyBody")
@Override
public boolean onNavigationItemSelected(MenuItem item) {
// Handle navigation view item clicks here.
int id = item.getItemId();
android.app.FragmentManager fragmentManager=getFragmentManager();
if (id == R.id.attendance) {
// Handle the camera action
Intent i=new Intent(getApplicationContext(),attendance.class);
startActivity(i);
// Handle the camera action
} else if (id == R.id.library) {
Intent i=new Intent(getApplicationContext(),library.class);
startActivity(i);
} else if (id == R.id.useful_links) {
Intent i=new Intent(getApplicationContext(),useful_links.class);
startActivity(i);
}
else if (id == R.id.aboutfrag) {
Intent i=new Intent(getApplicationContext(),aboutfrag.class);
startActivity(i);
}
DrawerLayout drawer = (DrawerLayout) findViewById(R.id.drawer_layout);
drawer.closeDrawer(GravityCompat.START);
return true;
}
}
| [
"[email protected]"
] | |
48e11d06f37c041b1d28e3f9119817a859c11ff8 | 818d134396f4339664f4db8ce714ee6c2d4ce5be | /src/techquizapp/gui/EditPaper.java | 7efab0722990ba2bd4052c063732daa93d1ab63c | [] | no_license | Harry96444/EasyQuizApplication | ea480882ecd241066cd04a56b01ca565fcfd1cce | 128938d08b100bf5039cb0b2a651901cff73634e | refs/heads/master | 2023-04-03T18:40:17.710162 | 2021-04-18T06:46:57 | 2021-04-18T06:46:57 | 319,972,488 | 7 | 1 | null | 2021-01-24T14:48:48 | 2020-12-09T13:56:26 | Java | UTF-8 | Java | false | false | 26,002 | 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 techquizapp.gui;
import java.util.HashMap;
import javax.swing.JOptionPane;
import techquizapp.Dao.ExamDAO;
import techquizapp.Dao.QuestionDAO;
import techquizapp.Pojo.Exam;
import techquizapp.Pojo.Question;
import techquizapp.Pojo.QuestionStore;
import techquizapp.Pojo.UserProfile;
/**
*
* @author Harsh Vyas
*/
public class EditPaper extends javax.swing.JFrame {
private Exam newexam;
private QuestionStore qstore;
private HashMap<String,String> options;
private int qno;
private String question,option1,option2,option3,option4,correctoption;
public EditPaper() {
initComponents();
this.setLocationRelativeTo(null);
lblUsername.setText("Hello "+UserProfile.getUsername());
qstore=new QuestionStore();
options=new HashMap<>();
options.put("option 1","answer1");
options.put("option 2","answer2");
options.put("option 3","answer3");
options.put("option 4","answer4");
qno=1;
lblQno.setText(lblQno.getText()+qno);
}
public EditPaper(Exam exam)
{
this();
newexam=exam;
lblTitle.setText(newexam.getTotalQuestions()+" :Question Remaining");
}
/**
* This method is called from within the constructor to initialize the form.
* WARNING: Do NOT modify this code. The content of this method is always
* regenerated by the Form Editor.
*/
@SuppressWarnings("unchecked")
// <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents
private void initComponents() {
jPanel1 = new javax.swing.JPanel();
lblTitle = new javax.swing.JLabel();
lblQno = new javax.swing.JLabel();
jLabel3 = new javax.swing.JLabel();
jLabel4 = new javax.swing.JLabel();
jLabel5 = new javax.swing.JLabel();
jLabel6 = new javax.swing.JLabel();
txt3 = new javax.swing.JTextField();
txt1 = new javax.swing.JTextField();
txt4 = new javax.swing.JTextField();
txt2 = new javax.swing.JTextField();
jScrollPane1 = new javax.swing.JScrollPane();
txtQue = new javax.swing.JTextArea();
jLabel7 = new javax.swing.JLabel();
cbSub = new javax.swing.JComboBox<>();
btnNext = new javax.swing.JButton();
btnSet = new javax.swing.JButton();
jbBack1 = new javax.swing.JButton();
lblUsername = new javax.swing.JLabel();
lblLogout = new javax.swing.JLabel();
setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE);
setResizable(false);
jPanel1.setBackground(new java.awt.Color(0, 0, 0));
lblTitle.setFont(new java.awt.Font("Dialog", 1, 36)); // NOI18N
lblTitle.setForeground(new java.awt.Color(255, 255, 0));
lblTitle.setText(" Questions setting");
lblQno.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
lblQno.setForeground(new java.awt.Color(255, 153, 0));
lblQno.setText("Question:");
jLabel3.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
jLabel3.setForeground(new java.awt.Color(255, 255, 0));
jLabel3.setText("Option 1:");
jLabel4.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
jLabel4.setForeground(new java.awt.Color(255, 255, 0));
jLabel4.setText("option 2:");
jLabel5.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
jLabel5.setForeground(new java.awt.Color(255, 255, 0));
jLabel5.setText("Option3:");
jLabel6.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
jLabel6.setForeground(new java.awt.Color(255, 255, 0));
jLabel6.setText("Option 4");
txt3.setBackground(new java.awt.Color(0, 0, 0));
txt3.setFont(new java.awt.Font("Dialog", 0, 18)); // NOI18N
txt3.setForeground(new java.awt.Color(0, 204, 204));
txt1.setBackground(new java.awt.Color(0, 0, 0));
txt1.setFont(new java.awt.Font("Dialog", 0, 18)); // NOI18N
txt1.setForeground(new java.awt.Color(0, 204, 204));
txt4.setBackground(new java.awt.Color(0, 0, 0));
txt4.setFont(new java.awt.Font("Dialog", 0, 18)); // NOI18N
txt4.setForeground(new java.awt.Color(0, 204, 204));
txt2.setBackground(new java.awt.Color(0, 0, 0));
txt2.setFont(new java.awt.Font("Dialog", 0, 18)); // NOI18N
txt2.setForeground(new java.awt.Color(0, 204, 204));
txt2.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
txt2ActionPerformed(evt);
}
});
txtQue.setColumns(20);
txtQue.setRows(5);
jScrollPane1.setViewportView(txtQue);
jLabel7.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
jLabel7.setForeground(new java.awt.Color(255, 255, 0));
jLabel7.setText("Correct Opt.");
cbSub.setBackground(new java.awt.Color(0, 0, 0));
cbSub.setFont(new java.awt.Font("Dialog", 1, 14)); // NOI18N
cbSub.setForeground(new java.awt.Color(255, 153, 0));
cbSub.setModel(new javax.swing.DefaultComboBoxModel<>(new String[] { "option 1", "option 2", "option 3", "option 4", " ", " " }));
cbSub.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
cbSubActionPerformed(evt);
}
});
btnNext.setBackground(new java.awt.Color(0, 0, 0));
btnNext.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
btnNext.setForeground(new java.awt.Color(255, 102, 0));
btnNext.setText("Next");
btnNext.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btnNextActionPerformed(evt);
}
});
btnSet.setBackground(new java.awt.Color(0, 0, 0));
btnSet.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
btnSet.setForeground(new java.awt.Color(255, 102, 51));
btnSet.setText("SET PAPER");
btnSet.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btnSetActionPerformed(evt);
}
});
jbBack1.setBackground(new java.awt.Color(0, 0, 0));
jbBack1.setFont(new java.awt.Font("Dialog", 1, 18)); // NOI18N
jbBack1.setForeground(new java.awt.Color(255, 102, 0));
jbBack1.setText("BACK");
jbBack1.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
jbBack1ActionPerformed(evt);
}
});
lblUsername.setFont(new java.awt.Font("Dialog", 1, 14)); // NOI18N
lblUsername.setForeground(new java.awt.Color(255, 255, 0));
lblLogout.setFont(new java.awt.Font("Dialog", 1, 14)); // NOI18N
lblLogout.setForeground(new java.awt.Color(255, 255, 0));
lblLogout.setText(" Logout");
lblLogout.addMouseListener(new java.awt.event.MouseAdapter() {
public void mouseClicked(java.awt.event.MouseEvent evt) {
lblLogoutMouseClicked(evt);
}
});
javax.swing.GroupLayout jPanel1Layout = new javax.swing.GroupLayout(jPanel1);
jPanel1.setLayout(jPanel1Layout);
jPanel1Layout.setHorizontalGroup(
jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addContainerGap()
.addComponent(lblUsername, javax.swing.GroupLayout.PREFERRED_SIZE, 132, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(187, 647, Short.MAX_VALUE))
.addGroup(jPanel1Layout.createSequentialGroup()
.addGap(21, 21, 21)
.addComponent(lblQno, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addGap(103, 103, 103)
.addComponent(jScrollPane1, javax.swing.GroupLayout.PREFERRED_SIZE, 302, javax.swing.GroupLayout.PREFERRED_SIZE)
.addContainerGap())
.addGroup(jPanel1Layout.createSequentialGroup()
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addGap(90, 90, 90)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addComponent(jLabel3, javax.swing.GroupLayout.PREFERRED_SIZE, 95, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(156, 156, 156)
.addComponent(jLabel4, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addGap(49, 49, 49))
.addGroup(jPanel1Layout.createSequentialGroup()
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.TRAILING)
.addComponent(txt1, javax.swing.GroupLayout.PREFERRED_SIZE, 103, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel5, javax.swing.GroupLayout.PREFERRED_SIZE, 101, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(txt3, javax.swing.GroupLayout.PREFERRED_SIZE, 101, javax.swing.GroupLayout.PREFERRED_SIZE))
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jLabel6, javax.swing.GroupLayout.PREFERRED_SIZE, 103, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(txt2, javax.swing.GroupLayout.PREFERRED_SIZE, 92, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(txt4, javax.swing.GroupLayout.PREFERRED_SIZE, 103, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(38, 38, 38))))
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel1Layout.createSequentialGroup()
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addComponent(lblTitle, javax.swing.GroupLayout.PREFERRED_SIZE, 476, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(4, 4, 4)))
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel1Layout.createSequentialGroup()
.addComponent(jLabel7, javax.swing.GroupLayout.PREFERRED_SIZE, 128, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(36, 36, 36))
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel1Layout.createSequentialGroup()
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.TRAILING)
.addComponent(lblLogout, javax.swing.GroupLayout.PREFERRED_SIZE, 103, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(cbSub, javax.swing.GroupLayout.PREFERRED_SIZE, 155, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(18, 18, 18))))))
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel1Layout.createSequentialGroup()
.addContainerGap(javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addComponent(jbBack1, javax.swing.GroupLayout.PREFERRED_SIZE, 142, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(51, 51, 51)
.addComponent(btnNext, javax.swing.GroupLayout.PREFERRED_SIZE, 117, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(51, 51, 51)
.addComponent(btnSet, javax.swing.GroupLayout.PREFERRED_SIZE, 147, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(115, 115, 115))
);
jPanel1Layout.setVerticalGroup(
jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addContainerGap()
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(lblLogout, javax.swing.GroupLayout.PREFERRED_SIZE, 31, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(lblUsername, javax.swing.GroupLayout.PREFERRED_SIZE, 32, javax.swing.GroupLayout.PREFERRED_SIZE)))
.addGroup(jPanel1Layout.createSequentialGroup()
.addGap(27, 27, 27)
.addComponent(lblTitle)))
.addGap(3, 3, 3)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel1Layout.createSequentialGroup()
.addGap(65, 65, 65)
.addComponent(jScrollPane1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(52, 52, 52)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel3, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addComponent(jLabel4, javax.swing.GroupLayout.PREFERRED_SIZE, 31, javax.swing.GroupLayout.PREFERRED_SIZE)))
.addGroup(jPanel1Layout.createSequentialGroup()
.addComponent(lblQno, javax.swing.GroupLayout.PREFERRED_SIZE, 56, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addComponent(jLabel7, javax.swing.GroupLayout.PREFERRED_SIZE, 38, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(30, 30, 30)
.addComponent(cbSub, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(30, 30, 30)))
.addGap(18, 18, 18)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(txt2)
.addComponent(txt1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(25, 25, 25)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel6, javax.swing.GroupLayout.PREFERRED_SIZE, 30, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel5, javax.swing.GroupLayout.PREFERRED_SIZE, 30, javax.swing.GroupLayout.PREFERRED_SIZE))
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(txt4, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(txt3, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE))
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, 103, Short.MAX_VALUE)
.addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jbBack1, javax.swing.GroupLayout.PREFERRED_SIZE, 32, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(btnNext, javax.swing.GroupLayout.PREFERRED_SIZE, 32, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(btnSet, javax.swing.GroupLayout.PREFERRED_SIZE, 32, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(50, 50, 50))
);
javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane());
getContentPane().setLayout(layout);
layout.setHorizontalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(layout.createSequentialGroup()
.addContainerGap()
.addComponent(jPanel1, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addContainerGap())
);
layout.setVerticalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(layout.createSequentialGroup()
.addContainerGap()
.addComponent(jPanel1, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addContainerGap())
);
pack();
}// </editor-fold>//GEN-END:initComponents
private void txt2ActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_txt2ActionPerformed
// TODO add your handling code here:
}//GEN-LAST:event_txt2ActionPerformed
private void cbSubActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_cbSubActionPerformed
// TODO add your handling code here:
}//GEN-LAST:event_cbSubActionPerformed
private void btnNextActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btnNextActionPerformed
if(validateInput()==false)
{
JOptionPane.showMessageDialog(null,"Please enter all the fields","ERROR!",JOptionPane.ERROR_MESSAGE);
return;
}
String optionName=options.get(correctoption);
Question obj=new Question(newexam.getExamId(),newexam.getLanguage(),qno,question,option1,option2,option3,option4,optionName);
qstore.addQuestion(obj);
System.out.println(obj);
System.out.println(optionName);
clearAll();
lblTitle.setText((newexam.getTotalQuestions()-qno)+" Questions Remaining");
qno++;
if(qno>newexam.getTotalQuestions())
{
disableAll();
JOptionPane.showMessageDialog(null,"Your questions has been prepared successfully!\nPress the done button to add them in our database","Exam Preparing Done!",JOptionPane.INFORMATION_MESSAGE);
}
else
{
lblQno.setText("Question no: "+qno);
}
}//GEN-LAST:event_btnNextActionPerformed
private void disableAll()
{
txtQue.setText("");
txtQue.setEnabled(false);
txt1.setEnabled(false);
txt2.setEnabled(false);
txt3.setEnabled(false);
txt4.setEnabled(false);
cbSub.setEnabled(false);
btnNext.setEnabled(false);
}
public void clearAll()
{
txt1.setText("");
txt2.setText("");
txt3.setText("");
txt4.setText("");
cbSub.setSelectedIndex(0);
txtQue.requestFocus();
}
private void btnSetActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btnSetActionPerformed
if(qno<=newexam.getTotalQuestions())
{
int x=newexam.getTotalQuestions()-qno+1;
JOptionPane.showMessageDialog(null,"Your still have "+x+"Questions remaining:","Please fill all Questions!",JOptionPane.ERROR_MESSAGE);
return ;
}
System.out.println("NO problem");
try
{
boolean done=ExamDAO.addExam(newexam);
if(done==false)
{
JOptionPane.showMessageDialog(null,"Exam not Added in the DB ","Try Again!",JOptionPane.ERROR_MESSAGE);
return;
}
QuestionDAO.addQuestions(qstore);
JOptionPane.showMessageDialog(null,"YOUR Question Have been successfullt added","Question Added!",JOptionPane.INFORMATION_MESSAGE);
System.out.println(qstore);
AdminOptionsFrame f=new AdminOptionsFrame();
f.setVisible(true);
this.dispose();
}catch(Exception e)
{
JOptionPane.showMessageDialog(null,"Database Error!\nCannot fill the records Error","Error!",JOptionPane.INFORMATION_MESSAGE);
e.printStackTrace();
}
}//GEN-LAST:event_btnSetActionPerformed
private void jbBack1ActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_jbBack1ActionPerformed
SetPaperFrame f1=new SetPaperFrame();
f1.setVisible(true);
this.dispose();
}//GEN-LAST:event_jbBack1ActionPerformed
private void lblLogoutMouseClicked(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_lblLogoutMouseClicked
LoginFrame f=new LoginFrame();
f.setVisible(true);
this.dispose(); // TODO add your handling code here:
}//GEN-LAST:event_lblLogoutMouseClicked
private boolean validateInput()
{
question=txtQue.getText().trim();
option1=txt1.getText().trim();
option2=txt2.getText().trim();
option3 =txt3.getText().trim();
option4=txt4.getText().trim();
System.out.println("getters");
System.out.println(option1);
System.out.println(option2);
System.out.println(option3);
System.out.println(option4);
System.out.println(question);
correctoption=cbSub.getSelectedItem().toString();
if(question.isEmpty()||option1.isEmpty()||option2.isEmpty()||option3.isEmpty()||option4.isEmpty()||correctoption.isEmpty())
return false;
return true;
}
public static void main(String args[]) {
/* Set the Nimbus look and feel */
//<editor-fold defaultstate="collapsed" desc=" Look and feel setting code (optional) ">
/* If Nimbus (introduced in Java SE 6) is not available, stay with the default look and feel.
* For details see http://download.oracle.com/javase/tutorial/uiswing/lookandfeel/plaf.html
*/
try {
for (javax.swing.UIManager.LookAndFeelInfo info : javax.swing.UIManager.getInstalledLookAndFeels()) {
if ("Nimbus".equals(info.getName())) {
javax.swing.UIManager.setLookAndFeel(info.getClassName());
break;
}
}
} catch (ClassNotFoundException ex) {
java.util.logging.Logger.getLogger(EditPaper.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (InstantiationException ex) {
java.util.logging.Logger.getLogger(EditPaper.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (IllegalAccessException ex) {
java.util.logging.Logger.getLogger(EditPaper.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (javax.swing.UnsupportedLookAndFeelException ex) {
java.util.logging.Logger.getLogger(EditPaper.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
}
//</editor-fold>
//</editor-fold>
/* Create and display the form */
java.awt.EventQueue.invokeLater(new Runnable() {
public void run() {
new EditPaper().setVisible(true);
}
});
}
// Variables declaration - do not modify//GEN-BEGIN:variables
private javax.swing.JButton btnNext;
private javax.swing.JButton btnSet;
private javax.swing.JComboBox<String> cbSub;
private javax.swing.JLabel jLabel3;
private javax.swing.JLabel jLabel4;
private javax.swing.JLabel jLabel5;
private javax.swing.JLabel jLabel6;
private javax.swing.JLabel jLabel7;
private javax.swing.JPanel jPanel1;
private javax.swing.JScrollPane jScrollPane1;
private javax.swing.JButton jbBack1;
private javax.swing.JLabel lblLogout;
private javax.swing.JLabel lblQno;
private javax.swing.JLabel lblTitle;
private javax.swing.JLabel lblUsername;
private javax.swing.JTextField txt1;
private javax.swing.JTextField txt2;
private javax.swing.JTextField txt3;
private javax.swing.JTextField txt4;
private javax.swing.JTextArea txtQue;
// End of variables declaration//GEN-END:variables
}
| [
"[email protected]"
] | |
51b76ebcdc05b573fad9162a979792b29d76d54d | 36a45ad91a2229ee261a02db85b3c197bb1dbb46 | /Lab 5/Scource/lab5/app/build/generated/source/r/debug/com/example/takeimage/R.java | f1920d933ae6df73ba81ad92199bf8efaba71bb8 | [] | no_license | Harshilpatel134/CS55551_Adv_Software_Engineering | 68d45064a6e00aa0edeefcdcc18eea0f62bf2b41 | 9f7e1bf6e462c72b3515df1fa89f503e5f0903bd | refs/heads/master | 2021-01-20T22:09:58.450478 | 2017-11-04T04:04:46 | 2017-11-04T04:04:46 | 101,799,110 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 361,605 | 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 com.example.takeimage;
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 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=0x7f010062;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010063;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f01005c;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010061;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 actionBarStyle=0x7f01005d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010058;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010057;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010059;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f01005f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 actionButtonStyle=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 actionDropDownStyle=0x7f010078;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 actionMenuTextAppearance=0x7f010064;
/** <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=0x7f010065;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010068;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010067;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f01006a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 actionModeCutDrawable=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 actionModeFindDrawable=0x7f010070;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 actionModePopupWindowStyle=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 actionModeSelectAllDrawable=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 actionModeShareDrawable=0x7f01006f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010069;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010066;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 actionOverflowButtonStyle=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 actionOverflowMenuStyle=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 actionProviderClass=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 actionViewClass=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 activityChooserViewStyle=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 alertDialogButtonGroupStyle=0x7f0100a6;
/** <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=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 alertDialogStyle=0x7f0100a5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 arrowHeadLength=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 arrowShaftLength=0x7f01002c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 background=0x7f01000c;
/** <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=0x7f01000e;
/** <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=0x7f01000d;
/** <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=0x7f0100c9;
/** <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=0x7f0100ca;
/** <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=0x7f01002d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 buttonBarButtonStyle=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 buttonBarNegativeButtonStyle=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 buttonBarNeutralButtonStyle=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 buttonBarPositiveButtonStyle=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 buttonBarStyle=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 buttonPanelSideLayout=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 buttonStyle=0x7f0100ae;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100af;
/** <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=0x7f010025;
/** <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=0x7f010026;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100b0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100b1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 closeItemLayout=0x7f01001c;
/** <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=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 collapseIcon=0x7f0100bf;
/** <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=0x7f010027;
/** <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=0x7f01009e;
/** <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=0x7f0100a2;
/** <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=0x7f0100a0;
/** <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=0x7f0100a1;
/** <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=0x7f01009f;
/** <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=0x7f01009c;
/** <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=0x7f01009d;
/** <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=0x7f0100a3;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 contentInsetEnd=0x7f010017;
/** <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=0x7f010018;
/** <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=0x7f010019;
/** <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=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 controlBackground=0x7f0100a4;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f01000f;
/** <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=0x7f01003c;
/** <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=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 dialogTheme=0x7f010075;
/** <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=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 divider=0x7f01000b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010083;
/** <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=0x7f010031;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010082;
/** <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=0x7f010029;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 dropDownListViewStyle=0x7f010094;
/** <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=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 editTextBackground=0x7f01008a;
/** <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=0x7f010089;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100b2;
/** <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=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 expandActivityOverflowButtonDrawable=0x7f01001e;
/** <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=0x7f01002a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f01003e;
/** <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=0x7f010001;
/** <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=0x7f010015;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 homeLayout=0x7f010010;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010009;
/** <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=0x7f01003a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010012;
/** <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=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 isLightTheme=0x7f010002;
/** <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=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 layout=0x7f010039;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 listDividerAlertDialog=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 listItemLayout=0x7f010023;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010020;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010095;
/** <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=0x7f01008f;
/** <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=0x7f010091;
/** <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=0x7f010090;
/** <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=0x7f010092;
/** <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=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 logo=0x7f01000a;
/** <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=0x7f0100c3;
/** <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=0x7f0100be;
/** <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=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 multiChoiceItemLayout=0x7f010021;
/** <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=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 navigationIcon=0x7f0100c1;
/** <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=0x7f010004;
/** <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=0x7f010037;
/** <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=0x7f0100c7;
/** <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=0x7f0100c6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 panelMenuListTheme=0x7f01009a;
/** <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=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 popupMenuStyle=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 popupTheme=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 popupWindowStyle=0x7f010088;
/** <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=0x7f010036;
/** <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=0x7f010013;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010011;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010044;
/** <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=0x7f01003b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100b3;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100b4;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 searchIcon=0x7f01003f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 selectableItemBackground=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 selectableItemBackgroundBorderless=0x7f010080;
/** <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=0x7f010032;
/** <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=0x7f010030;
/** <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=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 singleChoiceItemLayout=0x7f010022;
/** <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=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 spinnerDropDownItemStyle=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 spinnerStyle=0x7f0100b5;
/** <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=0x7f01004b;
/** <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=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 submitBackground=0x7f010045;
/** <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=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 subtitleTextAppearance=0x7f0100b8;
/** <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=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 subtitleTextStyle=0x7f010008;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010043;
/** <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=0x7f010049;
/** <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=0x7f01004a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f0100b6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010048;
/** <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=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 textAppearanceLargePopupMenu=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 textAppearanceListItem=0x7f010096;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010097;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=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 textAppearanceSearchResultTitle=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 textAppearanceSmallPopupMenu=0x7f010074;
/** <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=0x7f0100a9;
/** <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=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 theme=0x7f0100c8;
/** <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=0x7f01002e;
/** <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=0x7f010047;
/** <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=0x7f010003;
/** <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=0x7f0100bd;
/** <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=0x7f0100bb;
/** <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=0x7f0100ba;
/** <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=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 titleMargins=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 titleTextAppearance=0x7f0100b7;
/** <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=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 titleTextStyle=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 toolbarNavigationButtonStyle=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 toolbarStyle=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 track=0x7f010046;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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=0x7f010041;
/** <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=0x7f01004d;
/** <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=0x7f01004f;
/** <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=0x7f010050;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010054;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010052;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010051;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010053;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010055;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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=0x7f010056;
/** <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=0x7f01004e;
}
public static final class bool {
public static final int abc_action_bar_embed_tabs=0x7f080002;
public static final int abc_action_bar_embed_tabs_pre_jb=0x7f080000;
public static final int abc_action_bar_expanded_action_views_exclusive=0x7f080003;
public static final int abc_config_actionMenuItemAllCaps=0x7f080004;
public static final int abc_config_allowActionMenuItemTextWithIcon=0x7f080001;
public static final int abc_config_closeDialogWhenTouchOutside=0x7f080005;
public static final int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f080006;
}
public static final class color {
public static final int abc_background_cache_hint_selector_material_dark=0x7f0a003c;
public static final int abc_background_cache_hint_selector_material_light=0x7f0a003d;
public static final int abc_color_highlight_material=0x7f0a003e;
public static final int abc_input_method_navigation_guard=0x7f0a0000;
public static final int abc_primary_text_disable_only_material_dark=0x7f0a003f;
public static final int abc_primary_text_disable_only_material_light=0x7f0a0040;
public static final int abc_primary_text_material_dark=0x7f0a0041;
public static final int abc_primary_text_material_light=0x7f0a0042;
public static final int abc_search_url_text=0x7f0a0043;
public static final int abc_search_url_text_normal=0x7f0a0001;
public static final int abc_search_url_text_pressed=0x7f0a0002;
public static final int abc_search_url_text_selected=0x7f0a0003;
public static final int abc_secondary_text_material_dark=0x7f0a0044;
public static final int abc_secondary_text_material_light=0x7f0a0045;
public static final int accent_material_dark=0x7f0a0004;
public static final int accent_material_light=0x7f0a0005;
public static final int background_floating_material_dark=0x7f0a0006;
public static final int background_floating_material_light=0x7f0a0007;
public static final int background_material_dark=0x7f0a0008;
public static final int background_material_light=0x7f0a0009;
public static final int bright_foreground_disabled_material_dark=0x7f0a000a;
public static final int bright_foreground_disabled_material_light=0x7f0a000b;
public static final int bright_foreground_inverse_material_dark=0x7f0a000c;
public static final int bright_foreground_inverse_material_light=0x7f0a000d;
public static final int bright_foreground_material_dark=0x7f0a000e;
public static final int bright_foreground_material_light=0x7f0a000f;
public static final int btn_login=0x7f0a0010;
public static final int btn_login_bg=0x7f0a0011;
public static final int button_material_dark=0x7f0a0012;
public static final int button_material_light=0x7f0a0013;
public static final int dim_foreground_disabled_material_dark=0x7f0a0014;
public static final int dim_foreground_disabled_material_light=0x7f0a0015;
public static final int dim_foreground_material_dark=0x7f0a0016;
public static final int dim_foreground_material_light=0x7f0a0017;
public static final int foreground_material_dark=0x7f0a0018;
public static final int foreground_material_light=0x7f0a0019;
public static final int highlighted_text_material_dark=0x7f0a001a;
public static final int highlighted_text_material_light=0x7f0a001b;
public static final int hint_foreground_material_dark=0x7f0a001c;
public static final int hint_foreground_material_light=0x7f0a001d;
public static final int material_blue_grey_800=0x7f0a001e;
public static final int material_blue_grey_900=0x7f0a001f;
public static final int material_blue_grey_950=0x7f0a0020;
public static final int material_deep_teal_200=0x7f0a0021;
public static final int material_deep_teal_500=0x7f0a0022;
public static final int material_grey_100=0x7f0a0023;
public static final int material_grey_300=0x7f0a0024;
public static final int material_grey_50=0x7f0a0025;
public static final int material_grey_600=0x7f0a0026;
public static final int material_grey_800=0x7f0a0027;
public static final int material_grey_850=0x7f0a0028;
public static final int material_grey_900=0x7f0a0029;
public static final int primary_dark_material_dark=0x7f0a002a;
public static final int primary_dark_material_light=0x7f0a002b;
public static final int primary_material_dark=0x7f0a002c;
public static final int primary_material_light=0x7f0a002d;
public static final int primary_text_default_material_dark=0x7f0a002e;
public static final int primary_text_default_material_light=0x7f0a002f;
public static final int primary_text_disabled_material_dark=0x7f0a0030;
public static final int primary_text_disabled_material_light=0x7f0a0031;
public static final int ripple_material_dark=0x7f0a0032;
public static final int ripple_material_light=0x7f0a0033;
public static final int secondary_text_default_material_dark=0x7f0a0034;
public static final int secondary_text_default_material_light=0x7f0a0035;
public static final int secondary_text_disabled_material_dark=0x7f0a0036;
public static final int secondary_text_disabled_material_light=0x7f0a0037;
public static final int switch_thumb_disabled_material_dark=0x7f0a0038;
public static final int switch_thumb_disabled_material_light=0x7f0a0039;
public static final int switch_thumb_material_dark=0x7f0a0046;
public static final int switch_thumb_material_light=0x7f0a0047;
public static final int switch_thumb_normal_material_dark=0x7f0a003a;
public static final int switch_thumb_normal_material_light=0x7f0a003b;
}
public static final class dimen {
public static final int abc_action_bar_content_inset_material=0x7f06000b;
public static final int abc_action_bar_default_height_material=0x7f060001;
public static final int abc_action_bar_default_padding_end_material=0x7f06000c;
public static final int abc_action_bar_default_padding_start_material=0x7f06000d;
public static final int abc_action_bar_icon_vertical_padding_material=0x7f06000f;
public static final int abc_action_bar_overflow_padding_end_material=0x7f060010;
public static final int abc_action_bar_overflow_padding_start_material=0x7f060011;
public static final int abc_action_bar_progress_bar_size=0x7f060002;
public static final int abc_action_bar_stacked_max_height=0x7f060012;
public static final int abc_action_bar_stacked_tab_max_width=0x7f060013;
public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f060014;
public static final int abc_action_bar_subtitle_top_margin_material=0x7f060015;
public static final int abc_action_button_min_height_material=0x7f060016;
public static final int abc_action_button_min_width_material=0x7f060017;
public static final int abc_action_button_min_width_overflow_material=0x7f060018;
public static final int abc_alert_dialog_button_bar_height=0x7f060000;
public static final int abc_button_inset_horizontal_material=0x7f060019;
public static final int abc_button_inset_vertical_material=0x7f06001a;
public static final int abc_button_padding_horizontal_material=0x7f06001b;
public static final int abc_button_padding_vertical_material=0x7f06001c;
public static final int abc_config_prefDialogWidth=0x7f060005;
public static final int abc_control_corner_material=0x7f06001d;
public static final int abc_control_inset_material=0x7f06001e;
public static final int abc_control_padding_material=0x7f06001f;
public static final int abc_dialog_list_padding_vertical_material=0x7f060020;
public static final int abc_dialog_min_width_major=0x7f060021;
public static final int abc_dialog_min_width_minor=0x7f060022;
public static final int abc_dialog_padding_material=0x7f060023;
public static final int abc_dialog_padding_top_material=0x7f060024;
public static final int abc_disabled_alpha_material_dark=0x7f060025;
public static final int abc_disabled_alpha_material_light=0x7f060026;
public static final int abc_dropdownitem_icon_width=0x7f060027;
public static final int abc_dropdownitem_text_padding_left=0x7f060028;
public static final int abc_dropdownitem_text_padding_right=0x7f060029;
public static final int abc_edit_text_inset_bottom_material=0x7f06002a;
public static final int abc_edit_text_inset_horizontal_material=0x7f06002b;
public static final int abc_edit_text_inset_top_material=0x7f06002c;
public static final int abc_floating_window_z=0x7f06002d;
public static final int abc_list_item_padding_horizontal_material=0x7f06002e;
public static final int abc_panel_menu_list_width=0x7f06002f;
public static final int abc_search_view_preferred_width=0x7f060030;
public static final int abc_search_view_text_min_width=0x7f060006;
public static final int abc_switch_padding=0x7f06000e;
public static final int abc_text_size_body_1_material=0x7f060031;
public static final int abc_text_size_body_2_material=0x7f060032;
public static final int abc_text_size_button_material=0x7f060033;
public static final int abc_text_size_caption_material=0x7f060034;
public static final int abc_text_size_display_1_material=0x7f060035;
public static final int abc_text_size_display_2_material=0x7f060036;
public static final int abc_text_size_display_3_material=0x7f060037;
public static final int abc_text_size_display_4_material=0x7f060038;
public static final int abc_text_size_headline_material=0x7f060039;
public static final int abc_text_size_large_material=0x7f06003a;
public static final int abc_text_size_medium_material=0x7f06003b;
public static final int abc_text_size_menu_material=0x7f06003c;
public static final int abc_text_size_small_material=0x7f06003d;
public static final int abc_text_size_subhead_material=0x7f06003e;
public static final int abc_text_size_subtitle_material_toolbar=0x7f060003;
public static final int abc_text_size_title_material=0x7f06003f;
public static final int abc_text_size_title_material_toolbar=0x7f060004;
public static final int dialog_fixed_height_major=0x7f060007;
public static final int dialog_fixed_height_minor=0x7f060008;
public static final int dialog_fixed_width_major=0x7f060009;
public static final int dialog_fixed_width_minor=0x7f06000a;
public static final int disabled_alpha_material_dark=0x7f060040;
public static final int disabled_alpha_material_light=0x7f060041;
public static final int highlight_alpha_material_colored=0x7f060042;
public static final int highlight_alpha_material_dark=0x7f060043;
public static final int highlight_alpha_material_light=0x7f060044;
public static final int notification_large_icon_height=0x7f060045;
public static final int notification_large_icon_width=0x7f060046;
public static final int notification_subtext_size=0x7f060047;
}
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 back=0x7f02003e;
public static final int ic_launcher=0x7f02003f;
public static final int notification_template_icon_bg=0x7f020040;
}
public static final class id {
public static final int LinearLayout1=0x7f0b004d;
public static final int action0=0x7f0b0052;
public static final int action_bar=0x7f0b003e;
public static final int action_bar_activity_content=0x7f0b0000;
public static final int action_bar_container=0x7f0b003d;
public static final int action_bar_root=0x7f0b0039;
public static final int action_bar_spinner=0x7f0b0001;
public static final int action_bar_subtitle=0x7f0b0022;
public static final int action_bar_title=0x7f0b0021;
public static final int action_context_bar=0x7f0b003f;
public static final int action_divider=0x7f0b0056;
public static final int action_menu_divider=0x7f0b0002;
public static final int action_menu_presenter=0x7f0b0003;
public static final int action_mode_bar=0x7f0b003b;
public static final int action_mode_bar_stub=0x7f0b003a;
public static final int action_mode_close_button=0x7f0b0023;
public static final int activity_chooser_view_content=0x7f0b0024;
public static final int alertTitle=0x7f0b002e;
public static final int always=0x7f0b001b;
public static final int beginning=0x7f0b0018;
public static final int btnSelectPhoto=0x7f0b004e;
public static final int buttonPanel=0x7f0b0034;
public static final int cancel_action=0x7f0b0053;
public static final int checkbox=0x7f0b0036;
public static final int chronometer=0x7f0b0059;
public static final int collapseActionView=0x7f0b001c;
public static final int contentPanel=0x7f0b002f;
public static final int custom=0x7f0b0033;
public static final int customPanel=0x7f0b0032;
public static final int decor_content_parent=0x7f0b003c;
public static final int default_activity_button=0x7f0b0027;
public static final int disableHome=0x7f0b000c;
public static final int edit_query=0x7f0b0040;
public static final int end=0x7f0b0019;
public static final int end_padder=0x7f0b005e;
public static final int expand_activities_button=0x7f0b0025;
public static final int expanded_menu=0x7f0b0035;
public static final int head=0x7f0b0050;
public static final int home=0x7f0b0004;
public static final int homeAsUp=0x7f0b000d;
public static final int icon=0x7f0b0029;
public static final int ifRoom=0x7f0b001d;
public static final int image=0x7f0b0026;
public static final int info=0x7f0b005d;
public static final int ivImage=0x7f0b004f;
public static final int line1=0x7f0b0057;
public static final int line3=0x7f0b005b;
public static final int listMode=0x7f0b0009;
public static final int list_item=0x7f0b0028;
public static final int media_actions=0x7f0b0055;
public static final int middle=0x7f0b001a;
public static final int multiply=0x7f0b0013;
public static final int never=0x7f0b001e;
public static final int none=0x7f0b000e;
public static final int normal=0x7f0b000a;
public static final int parentPanel=0x7f0b002b;
public static final int progress_circular=0x7f0b0005;
public static final int progress_horizontal=0x7f0b0006;
public static final int radio=0x7f0b0038;
public static final int screen=0x7f0b0014;
public static final int scrollView=0x7f0b0030;
public static final int search_badge=0x7f0b0042;
public static final int search_bar=0x7f0b0041;
public static final int search_button=0x7f0b0043;
public static final int search_close_btn=0x7f0b0048;
public static final int search_edit_frame=0x7f0b0044;
public static final int search_go_btn=0x7f0b004a;
public static final int search_mag_icon=0x7f0b0045;
public static final int search_plate=0x7f0b0046;
public static final int search_src_text=0x7f0b0047;
public static final int search_voice_btn=0x7f0b004b;
public static final int select_dialog_listview=0x7f0b004c;
public static final int shortcut=0x7f0b0037;
public static final int showCustom=0x7f0b000f;
public static final int showHome=0x7f0b0010;
public static final int showTitle=0x7f0b0011;
public static final int split_action_bar=0x7f0b0007;
public static final int src_atop=0x7f0b0015;
public static final int src_in=0x7f0b0016;
public static final int src_over=0x7f0b0017;
public static final int status_bar_latest_event_content=0x7f0b0054;
public static final int submit_area=0x7f0b0049;
public static final int tabMode=0x7f0b000b;
public static final int text=0x7f0b005c;
public static final int text1=0x7f0b0051;
public static final int text2=0x7f0b005a;
public static final int textSpacerNoButtons=0x7f0b0031;
public static final int time=0x7f0b0058;
public static final int title=0x7f0b002a;
public static final int title_template=0x7f0b002d;
public static final int topPanel=0x7f0b002c;
public static final int up=0x7f0b0008;
public static final int useLogo=0x7f0b0012;
public static final int withText=0x7f0b001f;
public static final int wrap_content=0x7f0b0020;
}
public static final class integer {
public static final int abc_config_activityDefaultDur=0x7f090001;
public static final int abc_config_activityShortDur=0x7f090002;
public static final int abc_max_action_buttons=0x7f090000;
public static final int cancel_button_image_alpha=0x7f090003;
public static final int status_bar_notification_info_maxnum=0x7f090004;
}
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 activity_main=0x7f030018;
public static final int notification_media_action=0x7f030019;
public static final int notification_media_cancel_action=0x7f03001a;
public static final int notification_template_big_media=0x7f03001b;
public static final int notification_template_big_media_narrow=0x7f03001c;
public static final int notification_template_lines=0x7f03001d;
public static final int notification_template_media=0x7f03001e;
public static final int notification_template_part_chronometer=0x7f03001f;
public static final int notification_template_part_time=0x7f030020;
public static final int select_dialog_item_material=0x7f030021;
public static final int select_dialog_multichoice_material=0x7f030022;
public static final int select_dialog_singlechoice_material=0x7f030023;
public static final int support_simple_spinner_dropdown_item=0x7f030024;
}
public static final class string {
public static final int abc_action_bar_home_description=0x7f050000;
public static final int abc_action_bar_home_description_format=0x7f050001;
public static final int abc_action_bar_home_subtitle_description_format=0x7f050002;
public static final int abc_action_bar_up_description=0x7f050003;
public static final int abc_action_menu_overflow_description=0x7f050004;
public static final int abc_action_mode_done=0x7f050005;
public static final int abc_activity_chooser_view_see_all=0x7f050006;
public static final int abc_activitychooserview_choose_application=0x7f050007;
public static final int abc_search_hint=0x7f050008;
public static final int abc_searchview_description_clear=0x7f050009;
public static final int abc_searchview_description_query=0x7f05000a;
public static final int abc_searchview_description_search=0x7f05000b;
public static final int abc_searchview_description_submit=0x7f05000c;
public static final int abc_searchview_description_voice=0x7f05000d;
public static final int abc_shareactionprovider_share_with=0x7f05000e;
public static final int abc_shareactionprovider_share_with_application=0x7f05000f;
public static final int abc_toolbar_collapse_description=0x7f050010;
public static final int app_name=0x7f050012;
public static final int hello_world=0x7f050013;
public static final int status_bar_notification_info_overflow=0x7f050011;
}
public static final class style {
public static final int AlertDialog_AppCompat=0x7f07007b;
public static final int AlertDialog_AppCompat_Light=0x7f07007c;
public static final int Animation_AppCompat_Dialog=0x7f07007d;
public static final int Animation_AppCompat_DropDownUp=0x7f07007e;
/** API 11 theme customizations can go here.
API 14 theme customizations can go here.
Theme customizations available in newer API levels can go in
res/values-vXX/styles.xml, while customizations related to
backward-compatibility can go here.
*/
public static final int AppBaseTheme=0x7f070003;
/** All customizations that are NOT specific to a particular API-level can go here.
*/
public static final int AppTheme=0x7f07007f;
public static final int Base_AlertDialog_AppCompat=0x7f070080;
public static final int Base_AlertDialog_AppCompat_Light=0x7f070081;
public static final int Base_Animation_AppCompat_Dialog=0x7f070082;
public static final int Base_Animation_AppCompat_DropDownUp=0x7f070083;
public static final int Base_DialogWindowTitle_AppCompat=0x7f070084;
public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f070085;
public static final int Base_TextAppearance_AppCompat=0x7f07002e;
public static final int Base_TextAppearance_AppCompat_Body1=0x7f07002f;
public static final int Base_TextAppearance_AppCompat_Body2=0x7f070030;
public static final int Base_TextAppearance_AppCompat_Button=0x7f070019;
public static final int Base_TextAppearance_AppCompat_Caption=0x7f070031;
public static final int Base_TextAppearance_AppCompat_Display1=0x7f070032;
public static final int Base_TextAppearance_AppCompat_Display2=0x7f070033;
public static final int Base_TextAppearance_AppCompat_Display3=0x7f070034;
public static final int Base_TextAppearance_AppCompat_Display4=0x7f070035;
public static final int Base_TextAppearance_AppCompat_Headline=0x7f070036;
public static final int Base_TextAppearance_AppCompat_Inverse=0x7f070004;
public static final int Base_TextAppearance_AppCompat_Large=0x7f070037;
public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f070005;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f070038;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f070039;
public static final int Base_TextAppearance_AppCompat_Medium=0x7f07003a;
public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f070006;
public static final int Base_TextAppearance_AppCompat_Menu=0x7f07003b;
public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f070086;
public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f07003c;
public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f07003d;
public static final int Base_TextAppearance_AppCompat_Small=0x7f07003e;
public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f070007;
public static final int Base_TextAppearance_AppCompat_Subhead=0x7f07003f;
public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f070008;
public static final int Base_TextAppearance_AppCompat_Title=0x7f070040;
public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f070009;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f070041;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f070042;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f070043;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f070044;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f070045;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f070046;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f070047;
public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f070048;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f070077;
public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f070087;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f070049;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f07004a;
public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f07004b;
public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f07004c;
public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f070088;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f07004d;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f07004e;
public static final int Base_Theme_AppCompat=0x7f07004f;
public static final int Base_Theme_AppCompat_CompactMenu=0x7f070089;
public static final int Base_Theme_AppCompat_Dialog=0x7f07000a;
public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f07008a;
public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f07008b;
public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f07008c;
public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f070001;
public static final int Base_Theme_AppCompat_Light=0x7f070050;
public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f07008d;
public static final int Base_Theme_AppCompat_Light_Dialog=0x7f07000b;
public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f07008e;
public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f07008f;
public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f070090;
public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f070002;
public static final int Base_ThemeOverlay_AppCompat=0x7f070091;
public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f070092;
public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f070093;
public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f070094;
public static final int Base_ThemeOverlay_AppCompat_Light=0x7f070095;
public static final int Base_V11_Theme_AppCompat_Dialog=0x7f07000c;
public static final int Base_V11_Theme_AppCompat_Light_Dialog=0x7f07000d;
public static final int Base_V12_Widget_AppCompat_AutoCompleteTextView=0x7f070015;
public static final int Base_V12_Widget_AppCompat_EditText=0x7f070016;
public static final int Base_V21_Theme_AppCompat=0x7f070051;
public static final int Base_V21_Theme_AppCompat_Dialog=0x7f070052;
public static final int Base_V21_Theme_AppCompat_Light=0x7f070053;
public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f070054;
public static final int Base_V22_Theme_AppCompat=0x7f070075;
public static final int Base_V22_Theme_AppCompat_Light=0x7f070076;
public static final int Base_V23_Theme_AppCompat=0x7f070078;
public static final int Base_V23_Theme_AppCompat_Light=0x7f070079;
public static final int Base_V7_Theme_AppCompat=0x7f070096;
public static final int Base_V7_Theme_AppCompat_Dialog=0x7f070097;
public static final int Base_V7_Theme_AppCompat_Light=0x7f070098;
public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f070099;
public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f07009a;
public static final int Base_V7_Widget_AppCompat_EditText=0x7f07009b;
public static final int Base_Widget_AppCompat_ActionBar=0x7f07009c;
public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f07009d;
public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f07009e;
public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f070055;
public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f070056;
public static final int Base_Widget_AppCompat_ActionButton=0x7f070057;
public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f070058;
public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f070059;
public static final int Base_Widget_AppCompat_ActionMode=0x7f07009f;
public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0700a0;
public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f070017;
public static final int Base_Widget_AppCompat_Button=0x7f07005a;
public static final int Base_Widget_AppCompat_Button_Borderless=0x7f07005b;
public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f07005c;
public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0700a1;
public static final int Base_Widget_AppCompat_Button_Colored=0x7f07007a;
public static final int Base_Widget_AppCompat_Button_Small=0x7f07005d;
public static final int Base_Widget_AppCompat_ButtonBar=0x7f07005e;
public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0700a2;
public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f07005f;
public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f070060;
public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0700a3;
public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f070000;
public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0700a4;
public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f070061;
public static final int Base_Widget_AppCompat_EditText=0x7f070018;
public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0700a5;
public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0700a6;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0700a7;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f070062;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f070063;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f070064;
public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f070065;
public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f070066;
public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f070067;
public static final int Base_Widget_AppCompat_ListView=0x7f070068;
public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f070069;
public static final int Base_Widget_AppCompat_ListView_Menu=0x7f07006a;
public static final int Base_Widget_AppCompat_PopupMenu=0x7f07006b;
public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f07006c;
public static final int Base_Widget_AppCompat_PopupWindow=0x7f0700a8;
public static final int Base_Widget_AppCompat_ProgressBar=0x7f07000e;
public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f07000f;
public static final int Base_Widget_AppCompat_RatingBar=0x7f07006d;
public static final int Base_Widget_AppCompat_SearchView=0x7f0700a9;
public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0700aa;
public static final int Base_Widget_AppCompat_Spinner=0x7f07006e;
public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f07006f;
public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f070070;
public static final int Base_Widget_AppCompat_Toolbar=0x7f0700ab;
public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f070071;
public static final int Platform_AppCompat=0x7f070010;
public static final int Platform_AppCompat_Light=0x7f070011;
public static final int Platform_ThemeOverlay_AppCompat=0x7f070072;
public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f070073;
public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f070074;
public static final int Platform_V11_AppCompat=0x7f070012;
public static final int Platform_V11_AppCompat_Light=0x7f070013;
public static final int Platform_V14_AppCompat=0x7f07001a;
public static final int Platform_V14_AppCompat_Light=0x7f07001b;
public static final int Platform_Widget_AppCompat_Spinner=0x7f070014;
public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f070021;
public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f070022;
public static final int RtlOverlay_Widget_AppCompat_ActionButton_Overflow=0x7f070023;
public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f070024;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f070025;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f070026;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f070027;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f070028;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f070029;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f07002a;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f07002b;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f07002c;
public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f07002d;
public static final int TextAppearance_AppCompat=0x7f0700ac;
public static final int TextAppearance_AppCompat_Body1=0x7f0700ad;
public static final int TextAppearance_AppCompat_Body2=0x7f0700ae;
public static final int TextAppearance_AppCompat_Button=0x7f0700af;
public static final int TextAppearance_AppCompat_Caption=0x7f0700b0;
public static final int TextAppearance_AppCompat_Display1=0x7f0700b1;
public static final int TextAppearance_AppCompat_Display2=0x7f0700b2;
public static final int TextAppearance_AppCompat_Display3=0x7f0700b3;
public static final int TextAppearance_AppCompat_Display4=0x7f0700b4;
public static final int TextAppearance_AppCompat_Headline=0x7f0700b5;
public static final int TextAppearance_AppCompat_Inverse=0x7f0700b6;
public static final int TextAppearance_AppCompat_Large=0x7f0700b7;
public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0700b8;
public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0700b9;
public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0700ba;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0700bb;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0700bc;
public static final int TextAppearance_AppCompat_Medium=0x7f0700bd;
public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0700be;
public static final int TextAppearance_AppCompat_Menu=0x7f0700bf;
public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0700c0;
public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0700c1;
public static final int TextAppearance_AppCompat_Small=0x7f0700c2;
public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0700c3;
public static final int TextAppearance_AppCompat_Subhead=0x7f0700c4;
public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0700c5;
public static final int TextAppearance_AppCompat_Title=0x7f0700c6;
public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0700c7;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0700c8;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0700c9;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0700ca;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0700cb;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0700cc;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0700cd;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0700ce;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0700cf;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0700d0;
public static final int TextAppearance_AppCompat_Widget_Button=0x7f0700d1;
public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0700d2;
public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0700d3;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0700d4;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0700d5;
public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0700d6;
public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0700d7;
public static final int TextAppearance_StatusBar_EventContent=0x7f07001c;
public static final int TextAppearance_StatusBar_EventContent_Info=0x7f07001d;
public static final int TextAppearance_StatusBar_EventContent_Line2=0x7f07001e;
public static final int TextAppearance_StatusBar_EventContent_Time=0x7f07001f;
public static final int TextAppearance_StatusBar_EventContent_Title=0x7f070020;
public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0700d8;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0700d9;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0700da;
public static final int Theme_AppCompat=0x7f0700db;
public static final int Theme_AppCompat_CompactMenu=0x7f0700dc;
public static final int Theme_AppCompat_Dialog=0x7f0700dd;
public static final int Theme_AppCompat_Dialog_Alert=0x7f0700de;
public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0700df;
public static final int Theme_AppCompat_DialogWhenLarge=0x7f0700e0;
public static final int Theme_AppCompat_Light=0x7f0700e1;
public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0700e2;
public static final int Theme_AppCompat_Light_Dialog=0x7f0700e3;
public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0700e4;
public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0700e5;
public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0700e6;
public static final int Theme_AppCompat_Light_NoActionBar=0x7f0700e7;
public static final int Theme_AppCompat_NoActionBar=0x7f0700e8;
public static final int ThemeOverlay_AppCompat=0x7f0700e9;
public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0700ea;
public static final int ThemeOverlay_AppCompat_Dark=0x7f0700eb;
public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0700ec;
public static final int ThemeOverlay_AppCompat_Light=0x7f0700ed;
public static final int Widget_AppCompat_ActionBar=0x7f0700ee;
public static final int Widget_AppCompat_ActionBar_Solid=0x7f0700ef;
public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0700f0;
public static final int Widget_AppCompat_ActionBar_TabText=0x7f0700f1;
public static final int Widget_AppCompat_ActionBar_TabView=0x7f0700f2;
public static final int Widget_AppCompat_ActionButton=0x7f0700f3;
public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0700f4;
public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0700f5;
public static final int Widget_AppCompat_ActionMode=0x7f0700f6;
public static final int Widget_AppCompat_ActivityChooserView=0x7f0700f7;
public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0700f8;
public static final int Widget_AppCompat_Button=0x7f0700f9;
public static final int Widget_AppCompat_Button_Borderless=0x7f0700fa;
public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f0700fb;
public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0700fc;
public static final int Widget_AppCompat_Button_Colored=0x7f0700fd;
public static final int Widget_AppCompat_Button_Small=0x7f0700fe;
public static final int Widget_AppCompat_ButtonBar=0x7f0700ff;
public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f070100;
public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f070101;
public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f070102;
public static final int Widget_AppCompat_CompoundButton_Switch=0x7f070103;
public static final int Widget_AppCompat_DrawerArrowToggle=0x7f070104;
public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f070105;
public static final int Widget_AppCompat_EditText=0x7f070106;
public static final int Widget_AppCompat_Light_ActionBar=0x7f070107;
public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f070108;
public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f070109;
public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f07010a;
public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f07010b;
public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f07010c;
public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f07010d;
public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f07010e;
public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f07010f;
public static final int Widget_AppCompat_Light_ActionButton=0x7f070110;
public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f070111;
public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f070112;
public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f070113;
public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f070114;
public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f070115;
public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f070116;
public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f070117;
public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f070118;
public static final int Widget_AppCompat_Light_PopupMenu=0x7f070119;
public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f07011a;
public static final int Widget_AppCompat_Light_SearchView=0x7f07011b;
public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f07011c;
public static final int Widget_AppCompat_ListPopupWindow=0x7f07011d;
public static final int Widget_AppCompat_ListView=0x7f07011e;
public static final int Widget_AppCompat_ListView_DropDown=0x7f07011f;
public static final int Widget_AppCompat_ListView_Menu=0x7f070120;
public static final int Widget_AppCompat_PopupMenu=0x7f070121;
public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f070122;
public static final int Widget_AppCompat_PopupWindow=0x7f070123;
public static final int Widget_AppCompat_ProgressBar=0x7f070124;
public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f070125;
public static final int Widget_AppCompat_RatingBar=0x7f070126;
public static final int Widget_AppCompat_SearchView=0x7f070127;
public static final int Widget_AppCompat_SearchView_ActionBar=0x7f070128;
public static final int Widget_AppCompat_Spinner=0x7f070129;
public static final int Widget_AppCompat_Spinner_DropDown=0x7f07012a;
public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f07012b;
public static final int Widget_AppCompat_Spinner_Underlined=0x7f07012c;
public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f07012d;
public static final int Widget_AppCompat_Toolbar=0x7f07012e;
public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f07012f;
}
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 com.example.takeimage:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundSplit com.example.takeimage:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundStacked com.example.takeimage:backgroundStacked}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetEnd com.example.takeimage:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetLeft com.example.takeimage:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetRight com.example.takeimage:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetStart com.example.takeimage:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_customNavigationLayout com.example.takeimage:customNavigationLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_displayOptions com.example.takeimage:displayOptions}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_divider com.example.takeimage:divider}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_elevation com.example.takeimage:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_height com.example.takeimage:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_hideOnContentScroll com.example.takeimage:hideOnContentScroll}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeAsUpIndicator com.example.takeimage:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeLayout com.example.takeimage:homeLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_icon com.example.takeimage:icon}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_indeterminateProgressStyle com.example.takeimage:indeterminateProgressStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_itemPadding com.example.takeimage:itemPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_logo com.example.takeimage:logo}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_navigationMode com.example.takeimage:navigationMode}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_popupTheme com.example.takeimage:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarPadding com.example.takeimage:progressBarPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarStyle com.example.takeimage:progressBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitle com.example.takeimage:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitleTextStyle com.example.takeimage:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_title com.example.takeimage:title}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_titleTextStyle com.example.takeimage: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 = {
0x7f010001, 0x7f010003, 0x7f010004, 0x7f010005,
0x7f010006, 0x7f010007, 0x7f010008, 0x7f010009,
0x7f01000a, 0x7f01000b, 0x7f01000c, 0x7f01000d,
0x7f01000e, 0x7f01000f, 0x7f010010, 0x7f010011,
0x7f010012, 0x7f010013, 0x7f010014, 0x7f010015,
0x7f010016, 0x7f010017, 0x7f010018, 0x7f010019,
0x7f01001a, 0x7f01001b, 0x7f01007b
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:background
*/
public static final int ActionBar_background = 10;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:backgroundSplit
*/
public static final int ActionBar_backgroundSplit = 12;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:backgroundStacked
*/
public static final int ActionBar_backgroundStacked = 11;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetEnd
*/
public static final int ActionBar_contentInsetEnd = 21;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetLeft
*/
public static final int ActionBar_contentInsetLeft = 22;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetRight
*/
public static final int ActionBar_contentInsetRight = 23;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetStart
*/
public static final int ActionBar_contentInsetStart = 20;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:customNavigationLayout
*/
public static final int ActionBar_customNavigationLayout = 13;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:displayOptions
*/
public static final int ActionBar_displayOptions = 3;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:divider
*/
public static final int ActionBar_divider = 9;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:elevation
*/
public static final int ActionBar_elevation = 24;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:height
*/
public static final int ActionBar_height = 0;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:hideOnContentScroll
*/
public static final int ActionBar_hideOnContentScroll = 19;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:homeAsUpIndicator
*/
public static final int ActionBar_homeAsUpIndicator = 26;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:homeLayout
*/
public static final int ActionBar_homeLayout = 14;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:icon
*/
public static final int ActionBar_icon = 7;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:indeterminateProgressStyle
*/
public static final int ActionBar_indeterminateProgressStyle = 16;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:itemPadding
*/
public static final int ActionBar_itemPadding = 18;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:logo
*/
public static final int ActionBar_logo = 8;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:navigationMode
*/
public static final int ActionBar_navigationMode = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:popupTheme
*/
public static final int ActionBar_popupTheme = 25;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:progressBarPadding
*/
public static final int ActionBar_progressBarPadding = 17;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:progressBarStyle
*/
public static final int ActionBar_progressBarStyle = 15;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:subtitle
*/
public static final int ActionBar_subtitle = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:subtitleTextStyle
*/
public static final int ActionBar_subtitleTextStyle = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:title
*/
public static final int ActionBar_title = 1;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_backgroundSplit com.example.takeimage:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_closeItemLayout com.example.takeimage:closeItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_height com.example.takeimage:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_subtitleTextStyle com.example.takeimage:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_titleTextStyle com.example.takeimage: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 = {
0x7f010001, 0x7f010007, 0x7f010008, 0x7f01000c,
0x7f01000e, 0x7f01001c
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:background
*/
public static final int ActionMode_background = 3;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:backgroundSplit
*/
public static final int ActionMode_backgroundSplit = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:closeItemLayout
*/
public static final int ActionMode_closeItemLayout = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:height
*/
public static final int ActionMode_height = 0;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:subtitleTextStyle
*/
public static final int ActionMode_subtitleTextStyle = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:expandActivityOverflowButtonDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #ActivityChooserView_initialActivityCount com.example.takeimage:initialActivityCount}</code></td><td></td></tr>
</table>
@see #ActivityChooserView_expandActivityOverflowButtonDrawable
@see #ActivityChooserView_initialActivityCount
*/
public static final int[] ActivityChooserView = {
0x7f01001d, 0x7f01001e
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:expandActivityOverflowButtonDrawable
*/
public static final int ActivityChooserView_expandActivityOverflowButtonDrawable = 1;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:buttonPanelSideLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listItemLayout com.example.takeimage:listItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listLayout com.example.takeimage:listLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_multiChoiceItemLayout com.example.takeimage:multiChoiceItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_singleChoiceItemLayout com.example.takeimage: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, 0x7f01001f, 0x7f010020, 0x7f010021,
0x7f010022, 0x7f010023
};
/**
<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 com.example.takeimage.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 com.example.takeimage:buttonPanelSideLayout
*/
public static final int AlertDialog_buttonPanelSideLayout = 1;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listItemLayout
*/
public static final int AlertDialog_listItemLayout = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listLayout
*/
public static final int AlertDialog_listLayout = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:multiChoiceItemLayout
*/
public static final int AlertDialog_multiChoiceItemLayout = 3;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:singleChoiceItemLayout
*/
public static final int AlertDialog_singleChoiceItemLayout = 4;
/** 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 com.example.takeimage:textAllCaps}</code></td><td></td></tr>
</table>
@see #AppCompatTextView_android_textAppearance
@see #AppCompatTextView_textAllCaps
*/
public static final int[] AppCompatTextView = {
0x01010034, 0x7f010024
};
/**
<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 com.example.takeimage.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 com.example.takeimage:textAllCaps
*/
public static final int AppCompatTextView_textAllCaps = 1;
/** Attributes that can be used with a CompoundButton.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTint com.example.takeimage:buttonTint}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTintMode com.example.takeimage:buttonTintMode}</code></td><td></td></tr>
</table>
@see #CompoundButton_android_button
@see #CompoundButton_buttonTint
@see #CompoundButton_buttonTintMode
*/
public static final int[] CompoundButton = {
0x01010107, 0x7f010025, 0x7f010026
};
/**
<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 com.example.takeimage.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 com.example.takeimage:buttonTint
*/
public static final int CompoundButton_buttonTint = 1;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonTintMode
*/
public static final int CompoundButton_buttonTintMode = 2;
/** Attributes that can be used with a DrawerArrowToggle.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowHeadLength com.example.takeimage:arrowHeadLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength com.example.takeimage:arrowShaftLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_barLength com.example.takeimage:barLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_color com.example.takeimage:color}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_drawableSize com.example.takeimage:drawableSize}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars com.example.takeimage:gapBetweenBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_spinBars com.example.takeimage:spinBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_thickness com.example.takeimage: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 = {
0x7f010027, 0x7f010028, 0x7f010029, 0x7f01002a,
0x7f01002b, 0x7f01002c, 0x7f01002d, 0x7f01002e
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:arrowHeadLength
*/
public static final int DrawerArrowToggle_arrowHeadLength = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:arrowShaftLength
*/
public static final int DrawerArrowToggle_arrowShaftLength = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:barLength
*/
public static final int DrawerArrowToggle_barLength = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:color
*/
public static final int DrawerArrowToggle_color = 0;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:drawableSize
*/
public static final int DrawerArrowToggle_drawableSize = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:gapBetweenBars
*/
public static final int DrawerArrowToggle_gapBetweenBars = 3;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:spinBars
*/
public static final int DrawerArrowToggle_spinBars = 1;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:thickness
*/
public static final int DrawerArrowToggle_thickness = 7;
/** 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 com.example.takeimage:divider}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_dividerPadding com.example.takeimage:dividerPadding}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild com.example.takeimage:measureWithLargestChild}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_showDividers com.example.takeimage: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, 0x7f01000b, 0x7f01002f, 0x7f010030,
0x7f010031
};
/**
<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 com.example.takeimage.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 com.example.takeimage:divider
*/
public static final int LinearLayoutCompat_divider = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dividerPadding
*/
public static final int LinearLayoutCompat_dividerPadding = 8;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:measureWithLargestChild
*/
public static final int LinearLayoutCompat_measureWithLargestChild = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 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 com.example.takeimage:actionLayout}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionProviderClass com.example.takeimage:actionProviderClass}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionViewClass com.example.takeimage: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 com.example.takeimage: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, 0x7f010032, 0x7f010033, 0x7f010034,
0x7f010035
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionLayout
*/
public static final int MenuItem_actionLayout = 14;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionProviderClass
*/
public static final int MenuItem_actionProviderClass = 16;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage: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, 0x7f010036
};
/**
<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 com.example.takeimage.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 com.example.takeimage:preserveIconSpacing
*/
public static final int MenuView_preserveIconSpacing = 7;
/** 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 com.example.takeimage:overlapAnchor}</code></td><td></td></tr>
</table>
@see #PopupWindow_android_popupBackground
@see #PopupWindow_overlapAnchor
*/
public static final int[] PopupWindow = {
0x01010176, 0x7f010037
};
/**
<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 com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:state_above_anchor}</code></td><td></td></tr>
</table>
@see #PopupWindowBackgroundState_state_above_anchor
*/
public static final int[] PopupWindowBackgroundState = {
0x7f010038
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:state_above_anchor
*/
public static final int PopupWindowBackgroundState_state_above_anchor = 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 com.example.takeimage:closeIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_commitIcon com.example.takeimage:commitIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_defaultQueryHint com.example.takeimage:defaultQueryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_goIcon com.example.takeimage:goIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_iconifiedByDefault com.example.takeimage:iconifiedByDefault}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_layout com.example.takeimage:layout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryBackground com.example.takeimage:queryBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryHint com.example.takeimage:queryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchHintIcon com.example.takeimage:searchHintIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchIcon com.example.takeimage:searchIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_submitBackground com.example.takeimage:submitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_suggestionRowLayout com.example.takeimage:suggestionRowLayout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_voiceIcon com.example.takeimage: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,
0x7f010039, 0x7f01003a, 0x7f01003b, 0x7f01003c,
0x7f01003d, 0x7f01003e, 0x7f01003f, 0x7f010040,
0x7f010041, 0x7f010042, 0x7f010043, 0x7f010044,
0x7f010045
};
/**
<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 com.example.takeimage.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 com.example.takeimage:closeIcon
*/
public static final int SearchView_closeIcon = 8;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:commitIcon
*/
public static final int SearchView_commitIcon = 13;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:defaultQueryHint
*/
public static final int SearchView_defaultQueryHint = 7;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:goIcon
*/
public static final int SearchView_goIcon = 9;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:iconifiedByDefault
*/
public static final int SearchView_iconifiedByDefault = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:layout
*/
public static final int SearchView_layout = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:queryBackground
*/
public static final int SearchView_queryBackground = 15;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:queryHint
*/
public static final int SearchView_queryHint = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:searchHintIcon
*/
public static final int SearchView_searchHintIcon = 11;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:searchIcon
*/
public static final int SearchView_searchIcon = 10;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:submitBackground
*/
public static final int SearchView_submitBackground = 16;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:suggestionRowLayout
*/
public static final int SearchView_suggestionRowLayout = 14;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:voiceIcon
*/
public static final int SearchView_voiceIcon = 12;
/** 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 com.example.takeimage: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, 0x7f01001b
};
/**
<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 com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:showText}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_splitTrack com.example.takeimage:splitTrack}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchMinWidth com.example.takeimage:switchMinWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchPadding com.example.takeimage:switchPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchTextAppearance com.example.takeimage:switchTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTextPadding com.example.takeimage:thumbTextPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_track com.example.takeimage: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, 0x7f010046,
0x7f010047, 0x7f010048, 0x7f010049, 0x7f01004a,
0x7f01004b, 0x7f01004c
};
/**
<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 com.example.takeimage.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 com.example.takeimage:showText
*/
public static final int SwitchCompat_showText = 9;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:splitTrack
*/
public static final int SwitchCompat_splitTrack = 8;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:switchMinWidth
*/
public static final int SwitchCompat_switchMinWidth = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:switchPadding
*/
public static final int SwitchCompat_switchPadding = 7;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:switchTextAppearance
*/
public static final int SwitchCompat_switchTextAppearance = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:thumbTextPadding
*/
public static final int SwitchCompat_thumbTextPadding = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:track
*/
public static final int SwitchCompat_track = 3;
/** 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 com.example.takeimage: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,
0x7f010024
};
/**
<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 com.example.takeimage.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 com.example.takeimage:textAllCaps
*/
public static final int TextAppearance_textAllCaps = 4;
/** 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 com.example.takeimage:actionBarDivider}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarItemBackground com.example.takeimage:actionBarItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarPopupTheme com.example.takeimage:actionBarPopupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarSize com.example.takeimage:actionBarSize}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarSplitStyle com.example.takeimage:actionBarSplitStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarStyle com.example.takeimage:actionBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTabBarStyle com.example.takeimage:actionBarTabBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTabStyle com.example.takeimage:actionBarTabStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTabTextStyle com.example.takeimage:actionBarTabTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTheme com.example.takeimage:actionBarTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarWidgetTheme com.example.takeimage:actionBarWidgetTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionButtonStyle com.example.takeimage:actionButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionDropDownStyle com.example.takeimage:actionDropDownStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionMenuTextAppearance com.example.takeimage:actionMenuTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionMenuTextColor com.example.takeimage:actionMenuTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeBackground com.example.takeimage:actionModeBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCloseButtonStyle com.example.takeimage:actionModeCloseButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCloseDrawable com.example.takeimage:actionModeCloseDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCopyDrawable com.example.takeimage:actionModeCopyDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCutDrawable com.example.takeimage:actionModeCutDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeFindDrawable com.example.takeimage:actionModeFindDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModePasteDrawable com.example.takeimage:actionModePasteDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModePopupWindowStyle com.example.takeimage:actionModePopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeSelectAllDrawable com.example.takeimage:actionModeSelectAllDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeShareDrawable com.example.takeimage:actionModeShareDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeSplitBackground com.example.takeimage:actionModeSplitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeStyle com.example.takeimage:actionModeStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeWebSearchDrawable com.example.takeimage:actionModeWebSearchDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionOverflowButtonStyle com.example.takeimage:actionOverflowButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionOverflowMenuStyle com.example.takeimage:actionOverflowMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_activityChooserViewStyle com.example.takeimage:activityChooserViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogButtonGroupStyle com.example.takeimage:alertDialogButtonGroupStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogCenterButtons com.example.takeimage:alertDialogCenterButtons}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogStyle com.example.takeimage:alertDialogStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogTheme com.example.takeimage: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 com.example.takeimage:autoCompleteTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_borderlessButtonStyle com.example.takeimage:borderlessButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarButtonStyle com.example.takeimage:buttonBarButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarNegativeButtonStyle com.example.takeimage:buttonBarNegativeButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarNeutralButtonStyle com.example.takeimage:buttonBarNeutralButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarPositiveButtonStyle com.example.takeimage:buttonBarPositiveButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarStyle com.example.takeimage:buttonBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonStyle com.example.takeimage:buttonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonStyleSmall com.example.takeimage:buttonStyleSmall}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_checkboxStyle com.example.takeimage:checkboxStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_checkedTextViewStyle com.example.takeimage:checkedTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorAccent com.example.takeimage:colorAccent}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorButtonNormal com.example.takeimage:colorButtonNormal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorControlActivated com.example.takeimage:colorControlActivated}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorControlHighlight com.example.takeimage:colorControlHighlight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorControlNormal com.example.takeimage:colorControlNormal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorPrimary com.example.takeimage:colorPrimary}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorPrimaryDark com.example.takeimage:colorPrimaryDark}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorSwitchThumbNormal com.example.takeimage:colorSwitchThumbNormal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_controlBackground com.example.takeimage:controlBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dialogPreferredPadding com.example.takeimage:dialogPreferredPadding}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dialogTheme com.example.takeimage:dialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dividerHorizontal com.example.takeimage:dividerHorizontal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dividerVertical com.example.takeimage:dividerVertical}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dropDownListViewStyle com.example.takeimage:dropDownListViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dropdownListPreferredItemHeight com.example.takeimage:dropdownListPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_editTextBackground com.example.takeimage:editTextBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_editTextColor com.example.takeimage:editTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_editTextStyle com.example.takeimage:editTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_homeAsUpIndicator com.example.takeimage:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listChoiceBackgroundIndicator com.example.takeimage:listChoiceBackgroundIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listDividerAlertDialog com.example.takeimage:listDividerAlertDialog}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPopupWindowStyle com.example.takeimage:listPopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemHeight com.example.takeimage:listPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemHeightLarge com.example.takeimage:listPreferredItemHeightLarge}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemHeightSmall com.example.takeimage:listPreferredItemHeightSmall}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemPaddingLeft com.example.takeimage:listPreferredItemPaddingLeft}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemPaddingRight com.example.takeimage:listPreferredItemPaddingRight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_panelBackground com.example.takeimage:panelBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_panelMenuListTheme com.example.takeimage:panelMenuListTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_panelMenuListWidth com.example.takeimage:panelMenuListWidth}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_popupMenuStyle com.example.takeimage:popupMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_popupWindowStyle com.example.takeimage:popupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_radioButtonStyle com.example.takeimage:radioButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_ratingBarStyle com.example.takeimage:ratingBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_searchViewStyle com.example.takeimage:searchViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_selectableItemBackground com.example.takeimage:selectableItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_selectableItemBackgroundBorderless com.example.takeimage:selectableItemBackgroundBorderless}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_spinnerDropDownItemStyle com.example.takeimage:spinnerDropDownItemStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_spinnerStyle com.example.takeimage:spinnerStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_switchStyle com.example.takeimage:switchStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceLargePopupMenu com.example.takeimage:textAppearanceLargePopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceListItem com.example.takeimage:textAppearanceListItem}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceListItemSmall com.example.takeimage:textAppearanceListItemSmall}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceSearchResultSubtitle com.example.takeimage:textAppearanceSearchResultSubtitle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceSearchResultTitle com.example.takeimage:textAppearanceSearchResultTitle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceSmallPopupMenu com.example.takeimage:textAppearanceSmallPopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textColorAlertDialogListItem com.example.takeimage:textColorAlertDialogListItem}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textColorSearchUrl com.example.takeimage:textColorSearchUrl}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_toolbarNavigationButtonStyle com.example.takeimage:toolbarNavigationButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_toolbarStyle com.example.takeimage:toolbarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowActionBar com.example.takeimage:windowActionBar}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowActionBarOverlay com.example.takeimage:windowActionBarOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowActionModeOverlay com.example.takeimage:windowActionModeOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedHeightMajor com.example.takeimage:windowFixedHeightMajor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedHeightMinor com.example.takeimage:windowFixedHeightMinor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedWidthMajor com.example.takeimage:windowFixedWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedWidthMinor com.example.takeimage:windowFixedWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowMinWidthMajor com.example.takeimage:windowMinWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowMinWidthMinor com.example.takeimage:windowMinWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowNoTitle com.example.takeimage: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, 0x7f01004d, 0x7f01004e,
0x7f01004f, 0x7f010050, 0x7f010051, 0x7f010052,
0x7f010053, 0x7f010054, 0x7f010055, 0x7f010056,
0x7f010057, 0x7f010058, 0x7f010059, 0x7f01005a,
0x7f01005b, 0x7f01005c, 0x7f01005d, 0x7f01005e,
0x7f01005f, 0x7f010060, 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
};
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarDivider
*/
public static final int Theme_actionBarDivider = 23;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarItemBackground
*/
public static final int Theme_actionBarItemBackground = 24;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarPopupTheme
*/
public static final int Theme_actionBarPopupTheme = 17;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarSize
*/
public static final int Theme_actionBarSize = 22;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarSplitStyle
*/
public static final int Theme_actionBarSplitStyle = 19;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarStyle
*/
public static final int Theme_actionBarStyle = 18;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarTabBarStyle
*/
public static final int Theme_actionBarTabBarStyle = 13;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarTabStyle
*/
public static final int Theme_actionBarTabStyle = 12;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarTabTextStyle
*/
public static final int Theme_actionBarTabTextStyle = 14;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarTheme
*/
public static final int Theme_actionBarTheme = 20;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionBarWidgetTheme
*/
public static final int Theme_actionBarWidgetTheme = 21;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionButtonStyle
*/
public static final int Theme_actionButtonStyle = 49;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionDropDownStyle
*/
public static final int Theme_actionDropDownStyle = 45;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionMenuTextAppearance
*/
public static final int Theme_actionMenuTextAppearance = 25;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionMenuTextColor
*/
public static final int Theme_actionMenuTextColor = 26;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeBackground
*/
public static final int Theme_actionModeBackground = 29;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeCloseButtonStyle
*/
public static final int Theme_actionModeCloseButtonStyle = 28;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeCloseDrawable
*/
public static final int Theme_actionModeCloseDrawable = 31;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeCopyDrawable
*/
public static final int Theme_actionModeCopyDrawable = 33;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeCutDrawable
*/
public static final int Theme_actionModeCutDrawable = 32;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeFindDrawable
*/
public static final int Theme_actionModeFindDrawable = 37;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModePasteDrawable
*/
public static final int Theme_actionModePasteDrawable = 34;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModePopupWindowStyle
*/
public static final int Theme_actionModePopupWindowStyle = 39;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeSelectAllDrawable
*/
public static final int Theme_actionModeSelectAllDrawable = 35;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeShareDrawable
*/
public static final int Theme_actionModeShareDrawable = 36;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeSplitBackground
*/
public static final int Theme_actionModeSplitBackground = 30;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeStyle
*/
public static final int Theme_actionModeStyle = 27;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionModeWebSearchDrawable
*/
public static final int Theme_actionModeWebSearchDrawable = 38;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionOverflowButtonStyle
*/
public static final int Theme_actionOverflowButtonStyle = 15;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:actionOverflowMenuStyle
*/
public static final int Theme_actionOverflowMenuStyle = 16;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:activityChooserViewStyle
*/
public static final int Theme_activityChooserViewStyle = 57;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:alertDialogButtonGroupStyle
*/
public static final int Theme_alertDialogButtonGroupStyle = 91;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:alertDialogCenterButtons
*/
public static final int Theme_alertDialogCenterButtons = 92;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:alertDialogStyle
*/
public static final int Theme_alertDialogStyle = 90;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage.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 com.example.takeimage:autoCompleteTextViewStyle
*/
public static final int Theme_autoCompleteTextViewStyle = 98;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:borderlessButtonStyle
*/
public static final int Theme_borderlessButtonStyle = 54;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonBarButtonStyle
*/
public static final int Theme_buttonBarButtonStyle = 51;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonBarNegativeButtonStyle
*/
public static final int Theme_buttonBarNegativeButtonStyle = 96;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonBarNeutralButtonStyle
*/
public static final int Theme_buttonBarNeutralButtonStyle = 97;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonBarPositiveButtonStyle
*/
public static final int Theme_buttonBarPositiveButtonStyle = 95;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonBarStyle
*/
public static final int Theme_buttonBarStyle = 50;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonStyle
*/
public static final int Theme_buttonStyle = 99;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:buttonStyleSmall
*/
public static final int Theme_buttonStyleSmall = 100;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:checkboxStyle
*/
public static final int Theme_checkboxStyle = 101;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:checkedTextViewStyle
*/
public static final int Theme_checkedTextViewStyle = 102;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorAccent
*/
public static final int Theme_colorAccent = 83;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorButtonNormal
*/
public static final int Theme_colorButtonNormal = 87;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorControlActivated
*/
public static final int Theme_colorControlActivated = 85;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorControlHighlight
*/
public static final int Theme_colorControlHighlight = 86;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorControlNormal
*/
public static final int Theme_colorControlNormal = 84;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorPrimary
*/
public static final int Theme_colorPrimary = 81;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorPrimaryDark
*/
public static final int Theme_colorPrimaryDark = 82;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:colorSwitchThumbNormal
*/
public static final int Theme_colorSwitchThumbNormal = 88;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:controlBackground
*/
public static final int Theme_controlBackground = 89;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dialogPreferredPadding
*/
public static final int Theme_dialogPreferredPadding = 43;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dialogTheme
*/
public static final int Theme_dialogTheme = 42;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dividerHorizontal
*/
public static final int Theme_dividerHorizontal = 56;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dividerVertical
*/
public static final int Theme_dividerVertical = 55;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dropDownListViewStyle
*/
public static final int Theme_dropDownListViewStyle = 73;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:dropdownListPreferredItemHeight
*/
public static final int Theme_dropdownListPreferredItemHeight = 46;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:editTextBackground
*/
public static final int Theme_editTextBackground = 63;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:editTextColor
*/
public static final int Theme_editTextColor = 62;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:editTextStyle
*/
public static final int Theme_editTextStyle = 103;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:homeAsUpIndicator
*/
public static final int Theme_homeAsUpIndicator = 48;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listChoiceBackgroundIndicator
*/
public static final int Theme_listChoiceBackgroundIndicator = 80;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listDividerAlertDialog
*/
public static final int Theme_listDividerAlertDialog = 44;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listPopupWindowStyle
*/
public static final int Theme_listPopupWindowStyle = 74;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listPreferredItemHeight
*/
public static final int Theme_listPreferredItemHeight = 68;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listPreferredItemHeightLarge
*/
public static final int Theme_listPreferredItemHeightLarge = 70;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listPreferredItemHeightSmall
*/
public static final int Theme_listPreferredItemHeightSmall = 69;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listPreferredItemPaddingLeft
*/
public static final int Theme_listPreferredItemPaddingLeft = 71;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:listPreferredItemPaddingRight
*/
public static final int Theme_listPreferredItemPaddingRight = 72;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:panelBackground
*/
public static final int Theme_panelBackground = 77;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:panelMenuListTheme
*/
public static final int Theme_panelMenuListTheme = 79;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:panelMenuListWidth
*/
public static final int Theme_panelMenuListWidth = 78;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:popupMenuStyle
*/
public static final int Theme_popupMenuStyle = 60;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:popupWindowStyle
*/
public static final int Theme_popupWindowStyle = 61;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:radioButtonStyle
*/
public static final int Theme_radioButtonStyle = 104;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:ratingBarStyle
*/
public static final int Theme_ratingBarStyle = 105;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:searchViewStyle
*/
public static final int Theme_searchViewStyle = 67;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:selectableItemBackground
*/
public static final int Theme_selectableItemBackground = 52;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:selectableItemBackgroundBorderless
*/
public static final int Theme_selectableItemBackgroundBorderless = 53;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:spinnerDropDownItemStyle
*/
public static final int Theme_spinnerDropDownItemStyle = 47;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:spinnerStyle
*/
public static final int Theme_spinnerStyle = 106;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:switchStyle
*/
public static final int Theme_switchStyle = 107;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textAppearanceLargePopupMenu
*/
public static final int Theme_textAppearanceLargePopupMenu = 40;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textAppearanceListItem
*/
public static final int Theme_textAppearanceListItem = 75;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textAppearanceListItemSmall
*/
public static final int Theme_textAppearanceListItemSmall = 76;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textAppearanceSearchResultSubtitle
*/
public static final int Theme_textAppearanceSearchResultSubtitle = 65;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textAppearanceSearchResultTitle
*/
public static final int Theme_textAppearanceSearchResultTitle = 64;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textAppearanceSmallPopupMenu
*/
public static final int Theme_textAppearanceSmallPopupMenu = 41;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textColorAlertDialogListItem
*/
public static final int Theme_textColorAlertDialogListItem = 94;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:textColorSearchUrl
*/
public static final int Theme_textColorSearchUrl = 66;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:toolbarNavigationButtonStyle
*/
public static final int Theme_toolbarNavigationButtonStyle = 59;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:toolbarStyle
*/
public static final int Theme_toolbarStyle = 58;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowActionBar
*/
public static final int Theme_windowActionBar = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowActionBarOverlay
*/
public static final int Theme_windowActionBarOverlay = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowActionModeOverlay
*/
public static final int Theme_windowActionModeOverlay = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowFixedHeightMajor
*/
public static final int Theme_windowFixedHeightMajor = 9;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowFixedHeightMinor
*/
public static final int Theme_windowFixedHeightMinor = 7;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowFixedWidthMajor
*/
public static final int Theme_windowFixedWidthMajor = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowFixedWidthMinor
*/
public static final int Theme_windowFixedWidthMinor = 8;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowMinWidthMajor
*/
public static final int Theme_windowMinWidthMajor = 10;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:windowMinWidthMinor
*/
public static final int Theme_windowMinWidthMinor = 11;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:collapseContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseIcon com.example.takeimage:collapseIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetEnd com.example.takeimage:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetLeft com.example.takeimage:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetRight com.example.takeimage:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetStart com.example.takeimage:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logo com.example.takeimage:logo}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logoDescription com.example.takeimage:logoDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_maxButtonHeight com.example.takeimage:maxButtonHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationContentDescription com.example.takeimage:navigationContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationIcon com.example.takeimage:navigationIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_popupTheme com.example.takeimage:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitle com.example.takeimage:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextAppearance com.example.takeimage:subtitleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextColor com.example.takeimage:subtitleTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_title com.example.takeimage:title}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginBottom com.example.takeimage:titleMarginBottom}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginEnd com.example.takeimage:titleMarginEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginStart com.example.takeimage:titleMarginStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginTop com.example.takeimage:titleMarginTop}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMargins com.example.takeimage:titleMargins}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextAppearance com.example.takeimage:titleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextColor com.example.takeimage: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, 0x7f010003, 0x7f010006,
0x7f01000a, 0x7f010016, 0x7f010017, 0x7f010018,
0x7f010019, 0x7f01001b, 0x7f0100b7, 0x7f0100b8,
0x7f0100b9, 0x7f0100ba, 0x7f0100bb, 0x7f0100bc,
0x7f0100bd, 0x7f0100be, 0x7f0100bf, 0x7f0100c0,
0x7f0100c1, 0x7f0100c2, 0x7f0100c3, 0x7f0100c4,
0x7f0100c5
};
/**
<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 com.example.takeimage.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 com.example.takeimage:collapseContentDescription
*/
public static final int Toolbar_collapseContentDescription = 19;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:collapseIcon
*/
public static final int Toolbar_collapseIcon = 18;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetEnd
*/
public static final int Toolbar_contentInsetEnd = 6;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetLeft
*/
public static final int Toolbar_contentInsetLeft = 7;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetRight
*/
public static final int Toolbar_contentInsetRight = 8;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:contentInsetStart
*/
public static final int Toolbar_contentInsetStart = 5;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:logo
*/
public static final int Toolbar_logo = 4;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:logoDescription
*/
public static final int Toolbar_logoDescription = 22;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:maxButtonHeight
*/
public static final int Toolbar_maxButtonHeight = 17;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:navigationContentDescription
*/
public static final int Toolbar_navigationContentDescription = 21;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:navigationIcon
*/
public static final int Toolbar_navigationIcon = 20;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:popupTheme
*/
public static final int Toolbar_popupTheme = 9;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:subtitle
*/
public static final int Toolbar_subtitle = 3;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:subtitleTextAppearance
*/
public static final int Toolbar_subtitleTextAppearance = 11;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:subtitleTextColor
*/
public static final int Toolbar_subtitleTextColor = 24;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:title
*/
public static final int Toolbar_title = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:titleMarginBottom
*/
public static final int Toolbar_titleMarginBottom = 16;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:titleMarginEnd
*/
public static final int Toolbar_titleMarginEnd = 14;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:titleMarginStart
*/
public static final int Toolbar_titleMarginStart = 13;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:titleMarginTop
*/
public static final int Toolbar_titleMarginTop = 15;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:titleMargins
*/
public static final int Toolbar_titleMargins = 12;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:titleTextAppearance
*/
public static final int Toolbar_titleTextAppearance = 10;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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 com.example.takeimage:paddingEnd}</code></td><td></td></tr>
<tr><td><code>{@link #View_paddingStart com.example.takeimage:paddingStart}</code></td><td></td></tr>
<tr><td><code>{@link #View_theme com.example.takeimage: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, 0x7f0100c6, 0x7f0100c7,
0x7f0100c8
};
/**
<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 com.example.takeimage.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 com.example.takeimage:paddingEnd
*/
public static final int View_paddingEnd = 3;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:paddingStart
*/
public static final int View_paddingStart = 2;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage:theme
*/
public static final int View_theme = 4;
/** Attributes that can be used with a ViewBackgroundHelper.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ViewBackgroundHelper_android_background android:background}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTint com.example.takeimage:backgroundTint}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode com.example.takeimage:backgroundTintMode}</code></td><td></td></tr>
</table>
@see #ViewBackgroundHelper_android_background
@see #ViewBackgroundHelper_backgroundTint
@see #ViewBackgroundHelper_backgroundTintMode
*/
public static final int[] ViewBackgroundHelper = {
0x010100d4, 0x7f0100c9, 0x7f0100ca
};
/**
<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 com.example.takeimage.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 com.example.takeimage:backgroundTint
*/
public static final int ViewBackgroundHelper_backgroundTint = 1;
/**
<p>This symbol is the offset where the {@link com.example.takeimage.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 com.example.takeimage: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;
};
}
| [
"[email protected]"
] | |
ee604aabf42535a71ad4bc2b9d007dafc03212ef | 9b32926df2e61d54bd5939d624ec7708044cb97f | /src/main/java/com/rocket/summer/framework/core/annotation/Qualifier.java | 6983af86e81ead4a398c945ad15fa59ec8ce5917 | [] | no_license | goder037/summer | d521c0b15c55692f9fd8ba2c0079bfb2331ef722 | 6b51014e9a3e3d85fb48899aa3898812826378d5 | refs/heads/master | 2022-10-08T12:23:58.088119 | 2019-11-19T07:58:13 | 2019-11-19T07:58:13 | 89,110,409 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 599 | java | package com.rocket.summer.framework.core.annotation;
import java.lang.annotation.*;
/**
* This annotation may be used on a field or parameter as a qualifier for
* candidate beans when autowiring. It may also be used to annotate other
* custom annotations that can then in turn be used as qualifiers.
*
* @author Mark Fisher
* @author Juergen Hoeller
* @since 2.5
*/
@Target({ElementType.FIELD, ElementType.PARAMETER, ElementType.TYPE, ElementType.ANNOTATION_TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Inherited
@Documented
public @interface Qualifier {
String value() default "";
}
| [
"[email protected]"
] | |
4d39743c1f7ffede7bcf40fe28d1ebde913b9b1e | d3d6c0274927c1b8b3de3fc28642a1d0c74465c2 | /OldCode/FTPClient/src/clientui/LoginController.java | efb7ff460876a017ab49d5a9aed92154b7ea7731 | [] | no_license | Snickdx/Group-Project | 527ee3e2c47af29378a9e22fd7a74bbd5617df3f | 7a0854592d27d465ba031770e7ba7ee23989f99f | refs/heads/master | 2016-09-08T01:57:06.794072 | 2014-11-27T13:07:57 | 2014-11-27T13:07:57 | 25,546,461 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,709 | java | /*
* Copyright (c) 2011, 2014 Oracle and/or its affiliates.
* All rights reserved. Use is subject to license terms.
*
* This file is available and licensed under the following license:
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
*
* - Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* - Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in
* the documentation and/or other materials provided with the distribution.
* - Neither the name of Oracle nor the names of its
* contributors may be used to endorse or promote products derived
* from this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
package clientui;
import java.io.IOException;
import java.net.URL;
import java.net.UnknownHostException;
import java.util.ArrayList;
import java.util.ResourceBundle;
import javafx.beans.property.StringProperty;
import javafx.event.ActionEvent;
import javafx.event.EventHandler;
import javafx.fxml.FXML;
import javafx.fxml.FXMLLoader;
import javafx.fxml.Initializable;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.TextField;
import javafx.scene.layout.AnchorPane;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
public class LoginController extends Controller implements Initializable {
FXMLLoader loader;
@FXML Button loginBtn;
@FXML TextField usernameTF, passwordTF;
@FXML VBox content;
public LoginController() {
super("loginView.fxml");
}
@Override
public void initialize(URL arg0, ResourceBundle arg1) {
// TODO Auto-generated method stub
}
public void login() throws IOException{
System.out.println("lol");
}
}
| [
"[email protected]"
] | |
b1553f02c42a944fbdd2b5f5ac3cbb0ea01ba3a2 | ac62ceafb03308a5a99d5b3339183badb562167c | /app/src/main/java/com/dvt/undertheweather/utilis/JSONWeatherParser.java | 9e9c9e49af39fc7ffb8927871a05a0db0bb588ae | [] | no_license | Mutualewis/dvt_under_the_weather | 238479a32e826786c06c07361141006b2ff268c6 | c76a31bb114e70c4dff705173f51039fa842453f | refs/heads/master | 2021-01-22T06:11:07.257587 | 2017-05-26T16:44:51 | 2017-05-26T16:44:51 | 92,526,317 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,492 | java | /**
* This is a tutorial source code
* provided "as is" and without warranties.
*
* For any question please visit the web site
* http://www.survivingwithandroid.com
*
* or write an email to
* [email protected]
*
*/
package com.dvt.undertheweather.utilis;
import com.dvt.undertheweather.model.Location;
import com.dvt.undertheweather.model.Weather;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
/*
* Copyright (C) 2013 Surviving with Android (http://www.survivingwithandroid.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.
*/
public class JSONWeatherParser {
public static Weather getWeather(String data) throws JSONException {
Weather weather = new Weather();
// We create out JSONObject from the data
JSONObject jObj = new JSONObject(data);
// We start extracting the info
Location loc = new Location();
JSONObject coordObj = getObject("coord", jObj);
loc.setLatitude(getFloat("lat", coordObj));
loc.setLongitude(getFloat("lon", coordObj));
JSONObject sysObj = getObject("sys", jObj);
loc.setCountry(getString("country", sysObj));
loc.setSunrise(getInt("sunrise", sysObj));
loc.setSunset(getInt("sunset", sysObj));
loc.setCity(getString("name", jObj));
weather.location = loc;
// We get weather info (This is an array)
JSONArray jArr = jObj.getJSONArray("weather");
// We use only the first value
JSONObject JSONWeather = jArr.getJSONObject(0);
weather.currentCondition.setWeatherId(getInt("id", JSONWeather));
weather.currentCondition.setDescr(getString("description", JSONWeather));
weather.currentCondition.setCondition(getString("main", JSONWeather));
weather.currentCondition.setIcon(getString("icon", JSONWeather));
JSONObject mainObj = getObject("main", jObj);
weather.currentCondition.setHumidity(getInt("humidity", mainObj));
weather.currentCondition.setPressure(getInt("pressure", mainObj));
weather.temperature.setMaxTemp(getFloat("temp_max", mainObj));
weather.temperature.setMinTemp(getFloat("temp_min", mainObj));
weather.temperature.setTemp(getFloat("temp", mainObj));
// Wind
JSONObject wObj = getObject("wind", jObj);
weather.wind.setSpeed(getFloat("speed", wObj));
weather.wind.setDeg(getFloat("deg", wObj));
// Clouds
JSONObject cObj = getObject("clouds", jObj);
weather.clouds.setPerc(getInt("all", cObj));
return weather;
}
private static JSONObject getObject(String tagName, JSONObject jObj) throws JSONException {
JSONObject subObj = jObj.getJSONObject(tagName);
return subObj;
}
private static String getString(String tagName, JSONObject jObj) throws JSONException {
return jObj.getString(tagName);
}
private static float getFloat(String tagName, JSONObject jObj) throws JSONException {
return (float) jObj.getDouble(tagName);
}
private static int getInt(String tagName, JSONObject jObj) throws JSONException {
return jObj.getInt(tagName);
}
}
| [
"[email protected]"
] | |
ecd1f92c8adb5481d76d6a282409f6c8995fb9c4 | 2f7f96b88fc9619bf02ee2ee01efa98648773ea8 | /src/main/java/com/dascom/cloudprint/test/JWT.java | 5df3a9e1bc1d37d885f102b1e323cd5dc77823c1 | [] | no_license | chenrentong/cloudprint | d642e54f84bd40ecec28cd2496963f8a00a09b78 | efd929aa2c93303b3012d504eb907d55e381dc33 | refs/heads/master | 2021-12-14T06:50:53.239878 | 2021-12-06T12:36:06 | 2021-12-06T12:36:06 | 116,782,883 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,271 | java | package com.dascom.cloudprint.test;
import com.auth0.jwt.JWTSigner;
import com.auth0.jwt.JWTVerifier;
import com.auth0.jwt.internal.com.fasterxml.jackson.databind.ObjectMapper;
import com.dascom.cloudprint.entity.device.CollectionPrinters;
import java.util.HashMap;
import java.util.Map;
public class JWT {
private static final String SECRET = "XX#$%()(#*!()!KL<><MQLMNQNQJQK sdfkjsdrow32234545fdf>?N<:{LWPW";
private static final String EXP = "exp";
private static final String PAYLOAD = "payload";
//加密,传入一个对象和有效期
public static <T> String sign(T object, long maxAge) {
try {
final JWTSigner signer = new JWTSigner(SECRET);
final Map<String, Object> claims = new HashMap<String, Object>();
ObjectMapper mapper = new ObjectMapper();
String jsonString = mapper.writeValueAsString(object);
claims.put(PAYLOAD, jsonString);
claims.put(EXP, System.currentTimeMillis() + maxAge);
return signer.sign(claims);
} catch(Exception e) {
return null;
}
}
//解密,传入一个加密后的token字符串和解密后的类型
public static<T> T unsign(String jwt, Class<T> classT) {
final JWTVerifier verifier = new JWTVerifier(SECRET);
try {
final Map<String,Object> claims= verifier.verify(jwt);
if (claims.containsKey(EXP) && claims.containsKey(PAYLOAD)) {
long exp = (Long)claims.get(EXP);
long currentTimeMillis = System.currentTimeMillis();
if (exp > currentTimeMillis) {
String json = (String)claims.get(PAYLOAD);
ObjectMapper objectMapper = new ObjectMapper();
return objectMapper.readValue(json, classT);
}
}
return null;
} catch (Exception e) {
return null;
}
}
public static void main(String[] args) {
a p=new a();
p.setId("1");
//eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJleHAiOjE1MTYzMjczMjk4OTAsInBheWxvYWQiOiJ7XCJfaWRcIjpcIjFcIixcImFsaXZlXCI6ZmFsc2UsXCJjbG91ZF9wcnRcIjpmYWxzZSxcInVzaW5nXCI6bnVsbCxcIm93bmVyXCI6bnVsbCxcInN0YXR1c1wiOm51bGwsXCJudW1iZXJcIjpudWxsLFwicmVnX2RhdGVcIjpudWxsLFwibG9naW5fZGF0ZVwiOm51bGwsXCJhbGVydFwiOm51bGwsXCJhbGlhc1wiOm51bGwsXCJpbmZvXCI6bnVsbCxcInN0YXRpc3RpY3NcIjpudWxsfSJ9.aN14QwwGe8Qrf6pLfauMnOE1nxoSYPx1Gahna8Z-PcY
//String s=sign(p,1000);
String a=sign(p,60L* 1000L);
System.out.println(a);
String s="eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJleHAiOjE1MTYzMjYxOTczNDksInBheWxvYWQiOiJ7XCJfaWRcIjpcIjFcIixcImFsaXZlXCI6ZmFsc2UsXCJjbG91ZF9wcnRcIjpmYWxzZSxcInVzaW5nXCI6bnVsbCxcIm93bmVyXCI6bnVsbCxcInN0YXR1c1wiOm51bGwsXCJudW1iZXJcIjpudWxsLFwicmVnX2RhdGVcIjpudWxsLFwibG9naW5fZGF0ZVwiOm51bGwsXCJhbGVydFwiOm51bGwsXCJhbGlhc1wiOm51bGwsXCJpbmZvXCI6bnVsbCxcInN0YXRpc3RpY3NcIjpudWxsfSJ9.MdrmV29WqOxedjKwV0956tGIP0F6E8jBfGbo46IIiZs";
//System.out.println(s);
System.out.println(unsign(s,CollectionPrinters.class));
}
}
class a{
private String id;
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
}
| [
"DS-035@DS-022"
] | DS-035@DS-022 |
4383a1a594692d52fca7ef09255a864f726432fd | a03b4617d9b0d543d0cb60b5782e2095f0c68623 | /Logistic-Company/LCS/src/test/java/com/logistics/OfficesApplicationTests.java | 1779f35915d0b48ba4b1827e8fb0d82b8dbc8655 | [] | no_license | mrtngv/University | d6c48c2e8f1c2cd78c3517c5cffed5fe8e54c882 | f6e8e16c378ed92ddca3fa3141000a6a70baac59 | refs/heads/master | 2022-11-17T19:59:35.046665 | 2022-06-02T13:13:10 | 2022-06-02T13:13:10 | 261,045,979 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 206 | java | package com.logistics;
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;
@SpringBootTest
class OfficesApplicationTests {
@Test
void contextLoads() {
}
}
| [
"[email protected]"
] | |
688daeb3b1449624de5e1bdef71aed5cf597dc5f | bdd422d2f893fa8e7e2b2469363d4bcc5694fe44 | /L_Java/pattern/builder/SubMealBuilderA.java | e9007003b5b0e82d8a92ca5e1b32c3f98421a33c | [] | no_license | pishuiwei/L_codes | d49a0c8cb3f9c7c3c08827703c941021f1790e8b | b883559d88dc099ae8dd60692b027870432a2b45 | refs/heads/master | 2022-06-23T05:46:58.112752 | 2019-10-15T14:41:27 | 2019-10-15T14:41:27 | 155,565,127 | 0 | 0 | null | 2022-06-21T00:51:23 | 2018-10-31T13:48:59 | Java | UTF-8 | Java | false | false | 224 | java | package builder;
public class SubMealBuilderA extends MealBuilder{
@Override
public void buildFood() {
meal.setFood("一个鸡腿堡");
}
@Override
public void buildDrink() {
meal.setDrink("一杯可乐");
}
}
| [
"[email protected]"
] | |
f58d8d99aa168207de3f5256c85eee8244fb7c8e | ebb8ccce2aacbde17e1b23ae87dca05564bd3f44 | /app/src/main/java/com/example/liuwen/end_reader/Action/SearchBookAction.java | ebd2588c48ed1c76153710ded888353dafe61c74 | [] | no_license | liuwen370494581/End_Reader | 385d4ddb1489e51afe2c0f2309ea0483448a5232 | 29b8c602978887b6612ccbe26a3d9cb445146f40 | refs/heads/master | 2020-03-25T13:45:19.935788 | 2018-09-30T05:55:02 | 2018-09-30T05:55:02 | 143,835,942 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,297 | java | package com.example.liuwen.end_reader.Action;
import com.example.liuwen.end_reader.Bean.Dish;
import java.util.ArrayList;
import java.util.List;
/**
* author : liuwen
* e-mail : [email protected]
* time : 2018/09/07 14:44
* desc :搜索书籍的数据类 全部封装在此
*/
public class SearchBookAction {
public static List<Dish> getReflashData() {
List<Dish> list = new ArrayList<>();
list.add(new Dish("黑暗王者"));
list.add(new Dish("顶级老公,太嚣张"));
list.add(new Dish("网游之神级机械猎人"));
list.add(new Dish("爆笑宠妃:爷我等你休妻"));
list.add(new Dish("司马懿吃三国"));
list.add(new Dish("总裁大人你轻点"));
return list;
}
public static List<Dish> getReflashData_2() {
List<Dish> list = new ArrayList<>();
list.add(new Dish("银河帝国"));
list.add(new Dish("大主宰"));
list.add(new Dish("军婚缠绵:大总裁,小甜心"));
list.add(new Dish("阴阳先生"));
list.add(new Dish("帝豪老公太狂热"));
list.add(new Dish("踏天无痕"));
return list;
}
public static List<Dish> getReflashData_3() {
List<Dish> list = new ArrayList<>();
list.add(new Dish("豪门天价前妻"));
list.add(new Dish("斗罗大陆"));
list.add(new Dish("锦绣清宫:四爷的心尖宠妃"));
list.add(new Dish("龙血武神"));
list.add(new Dish("随声英雄杀"));
list.add(new Dish("铁血宏图"));
return list;
}
public static String getRandomColor() {
List<String> colorList = new ArrayList<String>();
colorList.add("#303F9F");
colorList.add("#FF4081");
colorList.add("#59dbe0");
colorList.add("#f57f68");
colorList.add("#87d288");
colorList.add("#f8b552");
colorList.add("#990099");
colorList.add("#90a4ae");
colorList.add("#7baaf7");
colorList.add("#4dd0e1");
colorList.add("#4db6ac");
colorList.add("#aed581");
colorList.add("#f2a600");
colorList.add("#ff8a65");
colorList.add("#f48fb1");
return colorList.get((int) (Math.random() * colorList.size()));
}
}
| [
"[email protected]"
] | |
e7624f55c2f6e50cc1db68c42c58f18ecdace9a4 | e7a4cc531fe08448f022fb86de4c8ec738f241d9 | /astronaut-abstract/src/main/java/com/diaimm/astronaut/configurer/annotations/RestAPIRepository.java | 65ba08cdd4a647f319aed3bb740ce65d3b2fbe93 | [
"MIT"
] | permissive | diaimm/astronaut | aa56c227997662d3d5b3b2eb074ac76355d9c16a | 42886351478f349343ced0332cc261337e00bf9d | refs/heads/master | 2020-05-21T23:58:44.013348 | 2016-10-31T14:24:57 | 2016-10-31T14:24:57 | 64,394,839 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 451 | java | package com.diaimm.astronaut.configurer.annotations;
import java.lang.annotation.Documented;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
import org.springframework.stereotype.Component;
@Target({ ElementType.TYPE })
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Component
public @interface RestAPIRepository {
String value();
} | [
"[email protected]"
] | |
3ad3446fa379a02aaaf7f64a2acd196004ffe9ea | 20a378ab710de8753794d318098f7325ccea80d2 | /android/app/src/main/java/com/food/MainApplication.java | 3d6d2a3d9fffecf8a0be31128f04a99f6d4ad2f2 | [] | no_license | amartelai/foodApp | 77d98d4b9b78d08560dc3d7e2ba4798b5f264897 | f32be90ed37ea579f75702dbe8b710bf28ddef12 | refs/heads/main | 2023-04-18T17:15:42.981803 | 2021-04-29T12:52:17 | 2021-04-29T12:52:17 | 362,816,895 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,271 | java | package com.food;
import android.app.Application;
import android.content.Context;
import com.facebook.react.PackageList;
import com.facebook.react.ReactApplication;
import com.facebook.react.ReactNativeHost;
import com.facebook.react.ReactPackage;
import com.facebook.soloader.SoLoader;
import java.lang.reflect.InvocationTargetException;
import java.util.List;
public class MainApplication extends Application implements ReactApplication {
private final ReactNativeHost mReactNativeHost =
new ReactNativeHost(this) {
@Override
public boolean getUseDeveloperSupport() {
return BuildConfig.DEBUG;
}
@Override
protected List<ReactPackage> getPackages() {
@SuppressWarnings("UnnecessaryLocalVariable")
List<ReactPackage> packages = new PackageList(this).getPackages();
// Packages that cannot be autolinked yet can be added manually here, for example:
// packages.add(new MyReactNativePackage());
return packages;
}
@Override
protected String getJSMainModuleName() {
return "index";
}
};
@Override
public ReactNativeHost getReactNativeHost() {
return mReactNativeHost;
}
@Override
public void onCreate() {
super.onCreate();
SoLoader.init(this, /* native exopackage */ false);
initializeFlipper(this); // Remove this line if you don't want Flipper enabled
}
/**
* Loads Flipper in React Native templates.
*
* @param context
*/
private static void initializeFlipper(Context context) {
if (BuildConfig.DEBUG) {
try {
/*
We use reflection here to pick up the class that initializes Flipper,
since Flipper library is not available in release mode
*/
Class<?> aClass = Class.forName("com.facebook.flipper.ReactNativeFlipper");
aClass.getMethod("initializeFlipper", Context.class).invoke(null, context);
} catch (ClassNotFoundException e) {
e.printStackTrace();
} catch (NoSuchMethodException e) {
e.printStackTrace();
} catch (IllegalAccessException e) {
e.printStackTrace();
} catch (InvocationTargetException e) {
e.printStackTrace();
}
}
}
}
| [
"[email protected]"
] | |
d5c1fb523effe8360b761c19d8c26b23ddfae0a8 | 433ffad1ed3cdb4be64b9ecc7122504cbfac6482 | /util/src/main/java/org/footoo/common/log/Logger.java | 57660b5c38fd9a7915f53cddee17d8306f75160b | [] | no_license | yuriyao/Razor | ad1189969c3a193178025fb65f37296ad9f82ad2 | 487cf80736df462a053775504e1e98d737fbaedd | refs/heads/master | 2021-01-01T05:32:58.834314 | 2014-06-15T16:34:47 | 2014-06-15T16:34:47 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,906 | java | /**
* Alipay.com Inc.
* Copyright (c) 2004-2014 All Rights Reserved.
*/
package org.footoo.common.log;
/**
*
* @author jeff
* @version $Id: Logger.java, v 0.1 2014年2月28日 下午7:47:08 jeff Exp $
*/
public interface Logger {
/** debug级别 */
public static final int DEBUG = 0;
/** info级别 */
public static final int INFO = 1;
/** warn级别 */
public static final int WARN = 2;
/** error级别 */
public static final int ERROR = 3;
/** Fatal */
public static final int FATAL = 4;
/**
* 是否启动了debug level
*
* @return
*/
public boolean debugEnabled();
/**
* 是否启动了info level
*
* @return
*/
public boolean infoEnabled();
/**
* 是否启动了warn level
*
* @return
*/
public boolean warnEnabled();
/**
* 是否启动了error level
*
* @return
*/
public boolean errorEnabled();
/**
* 打印info信息,只有info级别被启动才会真正打印
*
* @param objects
*/
public void info(Object... objects);
/**
* 打印debug信息,只有debug级别被启动才会真正打印
*
* @param objects
*/
public void debug(Object... objects);
/**
* 打印warn信息,只有warn级别被启动才会真正打印
*
* @param objects
*/
public void warn(Object... objects);
/**
* 打印warn信息,只有warn级别被启动才会真正打印
*
* @param e
* @param objects
*/
public void warn(Throwable e, Object... objects);
/**
* 打印error信息
*
* @param objects
*/
public void error(Object... objects);
/**
* 打印错误信息
*
* @param e 异常
* @param objects
*/
public void error(Throwable e, Object... objects);
}
| [
"[email protected]"
] | |
ace1b97442bafb974a10c87c1555f5aa9e86ddd5 | db2c6061b99e501aa9047359607915ca569a1d0d | /ContasBancariasJob/src/main/java/com/springbatch/contasbancarias/dominio/TipoConta.java | 49e7969ee9edcef8bb5f28d7fce756658ba728a1 | [] | no_license | gloriiakang/job-conta-bancaria | c1adab9d1f0e5f91397ec8d51a836159258c79e8 | a7e9950775578d17839f20ccfca0b5f9b5db3f8d | refs/heads/main | 2023-05-07T13:35:55.803437 | 2021-05-28T22:59:44 | 2021-05-28T22:59:44 | 371,834,521 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 465 | java | package com.springbatch.contasbancarias.dominio;
public enum TipoConta {
PRATA, OURO, PLATINA, DIAMANTE, INVALIDA;
public static TipoConta fromFaixaSalarial(Double faixaSalarial) {
if (faixaSalarial == null)
return INVALIDA;
if (faixaSalarial <= 3000)
return PRATA;
else if (faixaSalarial > 3000 && faixaSalarial <= 5000)
return OURO;
else if (faixaSalarial > 5000 && faixaSalarial <= 10000)
return PLATINA;
else
return DIAMANTE;
}
}
| [
"[email protected]"
] | |
2c58fffd05e8693dd9ea16af1106a3b10a792034 | 949c9d796c6779418d1b13c730a0acc3c22a7be0 | /src/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InsuranceValueAmountType.java | 45a3af0f029f45f60cbedc234553241faa7b2e24 | [] | no_license | gvilauy/XpandeDIAN | 2c649a397e7423bffcbe5efc68824a4ee207eb3a | e27966b3b668ba2f3d4b89920e448aeebe3a3dbb | refs/heads/master | 2023-04-02T09:35:04.702985 | 2021-04-06T14:52:52 | 2021-04-06T14:52:52 | 333,752,128 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,253 | java | //
// This file was generated by the JavaTM Architecture for XML Binding(JAXB) Reference Implementation, v2.2.8-b130911.1802
// See <a href="http://java.sun.com/xml/jaxb">http://java.sun.com/xml/jaxb</a>
// Any modifications to this file will be lost upon recompilation of the source schema.
// Generated on: 2021.01.28 at 09:51:24 AM UYT
//
package oasis.names.specification.ubl.schema.xsd.commonbasiccomponents_2;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlType;
import oasis.names.specification.ubl.schema.xsd.unqualifieddatatypes_2.AmountType;
/**
* <p>Java class for InsuranceValueAmountType complex type.
*
* <p>The following schema fragment specifies the expected content contained within this class.
*
* <pre>
* <complexType name="InsuranceValueAmountType">
* <simpleContent>
* <extension base="<urn:oasis:names:specification:ubl:schema:xsd:UnqualifiedDataTypes-2>AmountType">
* </extension>
* </simpleContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "InsuranceValueAmountType")
public class InsuranceValueAmountType
extends AmountType
{
}
| [
"[email protected]"
] | |
30a1508ebff7a6da6b956bec647a776cddd8a966 | fd0560bd85d5a6c7f4ecee51645ef0f1f7db5779 | /SuperSimpleStock/src/main/java/com/jpmorgan/supersimple/stock/bean/Report.java | c40c7a225c1f4ce4c981b74f8b842b4be60174ba | [] | no_license | GirishRajasekar/TechnicalTest | 712e2eec33eac8e29bbb326563aa3ca039d82795 | d0d72dc7f24aa91e070e74bc793b83029fe3e9b9 | refs/heads/master | 2021-01-19T03:00:58.239182 | 2017-06-11T21:34:23 | 2017-06-11T21:34:23 | 87,301,968 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 1,114 | java | package com.jpmorgan.supersimple.stock.bean;
import java.util.Map;
public class Report {
private Map<String, Double> buySettlementDateMap;
private Map<String, Double> sellSettlementDateMap;
private Map<String, Double> buyEntityMap;
private Map<String, Double> sellEntityMap
;
public Map<String, Double> getBuySettlementDateMap() {
return buySettlementDateMap;
}
public void setBuySettlementDateMap(Map<String, Double> buySettlementDateMap) {
this.buySettlementDateMap = buySettlementDateMap;
}
public Map<String, Double> getSellSettlementDateMap() {
return sellSettlementDateMap;
}
public void setSellSettlementDateMap(Map<String, Double> sellSettlementDateMap) {
this.sellSettlementDateMap = sellSettlementDateMap;
}
public Map<String, Double> getBuyEntityMap() {
return buyEntityMap;
}
public void setBuyEntityMap(Map<String, Double> buyEntityMap) {
this.buyEntityMap = buyEntityMap;
}
public Map<String, Double> getSellEntityMap() {
return sellEntityMap;
}
public void setSellEntityMap(Map<String, Double> sellEntityMap) {
this.sellEntityMap = sellEntityMap;
}
}
| [
"[email protected]"
] |
Subsets and Splits
No saved queries yet
Save your SQL queries to embed, download, and access them later. Queries will appear here once saved.