blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 7 410 | content_id stringlengths 40 40 | detected_licenses listlengths 0 51 | license_type stringclasses 2
values | repo_name stringlengths 5 132 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringlengths 4 80 | visit_date timestamp[us] | revision_date timestamp[us] | committer_date timestamp[us] | github_id int64 5.85k 684M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 22
values | gha_event_created_at timestamp[us] | gha_created_at timestamp[us] | gha_language stringclasses 132
values | src_encoding stringclasses 34
values | language stringclasses 1
value | is_vendor bool 1
class | is_generated bool 2
classes | length_bytes int64 3 9.45M | extension stringclasses 28
values | content stringlengths 3 9.45M | authors listlengths 1 1 | author_id stringlengths 0 352 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
846b84d4d22ebeb2f9d3258dd1b3e742aa605233 | 3c4e143e8c7e85886952ba72818a52dba19624a3 | /Binary3DSearchTree/src/datastructures/Binary3DSearchTree.java | d13f709ec85f6167d3550b0b670e48cef459b589 | [] | no_license | RolandGanaus/Binary3DSearchTree | 24008bd9441f98735173076b844223e333ea581f | 5c7a69eb8c5ed275f25c971f9e03ea77e04029ae | refs/heads/master | 2021-01-20T01:59:02.614885 | 2014-03-01T13:28:03 | 2014-03-01T13:28:03 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,761 | java |
package datastructures;
import game.HasCoordinates;
import java.util.Iterator;
/**
*
* @author Roland
*/
public class Binary3DSearchTree<E extends HasCoordinates> implements Iterable<E> {
private Node root;
private class Node {
private E value;
private Node parent;
private Node left;
private Node right;
private int balance;
private Node(E e, Node parent) {
this.value = e;
this.parent = parent;
}
private void add(E e, char lastCriteria) {
if (lastCriteria == 'x') {
if (e.getCoordinates().getY() > this.value.getCoordinates().getY()) {
if (this.right == null) {
this.right = new Node(e, this);
} else {
this.right.add(e, 'y');
}
} else {
if (this.left == null) {
this.left = new Node(e, this);
} else {
this.left.add(e, 'y');
}
}
} else if (lastCriteria == 'y') {
if (e.getCoordinates().getZ() > this.value.getCoordinates().getZ()) {
if (this.right == null) {
this.right = new Node(e, this);
} else {
this.right.add(e, 'z');
}
} else {
if (this.left == null) {
this.left = new Node(e, this);
} else {
this.left.add(e, 'z');
}
}
} else {
if (e.getCoordinates().getX()> this.value.getCoordinates().getX()) {
if (this.right == null) {
this.right = new Node(e, this);
} else {
this.right.add(e, 'x');
}
} else {
if (this.left == null) {
this.left = new Node(e, this);
} else {
this.left.add(e, 'x');
}
}
}
}
@Override
public String toString() {
String str = "(" + this.value.toString() + ", ";
str += this.left != null ? this.left.toString() : "";
str += ", ";
str += this.right != null ? this.right.toString() : "";
str += ")";
return str;
}
}
private class Binary3DSearchTreeIterator implements Iterator {
private Node last;
@Override
public boolean hasNext() {
if (this.last == null) {
return root != null;
} else if ((this.last.left != null) ||
(this.last.right != null)) {
return true;
} else {
return up(last) != null;
}
}
@Override
public E next() {
if (this.last == null) {
this.last = root;
} else if (this.last.left != null) {
this.last = this.last.left;
} else if (this.last.right != null) {
this.last = this.last.right;
} else {
this.last = up(this.last);
}
return this.last != null ? this.last.value : null;
}
private Node up(Node last) {
if (last.parent != null) {
if ((last.parent.right != null) &&
(!last.parent.right.equals(last))) {
return last.parent.right;
} else {
return this.up(last.parent);
}
} else {
return null;
}
}
@Override
public void remove() {
}
}
public boolean add(E e) {
if (root == null) {
root = new Node(e, null);
} else {
root.add(e, 'x');
}
return true;
}
public void clear() {
}
@Override
public Iterator iterator() {
return new Binary3DSearchTreeIterator();
}
@Override
public String toString() {
if (root != null) {
return root.toString();
} else {
return "";
}
}
} | [
"r.ganaus@gmail.com"
] | r.ganaus@gmail.com |
122b9d495b3fdb16e8dfc58efb6918e88b364eb4 | 4d9397dfa5a40514c9a74d6d74bb990e4dbb3015 | /src/main/java/com/ouhamza/ecommerce/entity/Customer.java | 2ed17fdf1edd256e06d6f1719d38af37c745f4a0 | [] | no_license | Aditya17-4/ecom-app-backend | aa77849890cc2e2f62bc4874d037c3a32d0dee59 | 1b846c84abfb103ba6bb76d918cfe1e3d4ba3129 | refs/heads/main | 2023-06-20T01:16:27.451432 | 2021-07-10T13:59:58 | 2021-07-10T13:59:58 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 792 | java | package com.ouhamza.ecommerce.entity;
import lombok.Data;
import javax.persistence.*;
import java.util.ArrayList;
import java.util.List;
/**
* @author <a href="https://github.com/ouhamzalhss"> Lhouceine OUHAMZA </a>
*/
@Entity
@Data
public class Customer {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
private String firstName;
private String lastName;
private String email;
@OneToMany(mappedBy = "customer", cascade = CascadeType.ALL)
private List<Order> orders = new ArrayList<>();
public void add(Order order){
if(order != null){
if(orders == null){
orders = new ArrayList<>();
}
orders.add(order);
order.setCustomer(this);
}
}
}
| [
"ouhamza.web.pro@gmail.com"
] | ouhamza.web.pro@gmail.com |
7f4b9cc07ef16ccd6aacf923299c2c30f25ce89f | ff9e9e499c697d3dc5bdac8b8dbcfb2828dda608 | /core/src/com/tiarsoft/tutorialAdmob/AdHandler.java | eb2d8a02bb123b32af8d0073b9b99cfefe0866b8 | [] | no_license | Yayo-Arellano/Libgdx-Admob-Gradle | 99b2422668c08936d8e1b3099ab776c4fc719d04 | 40edab687a018807916f4f46011e0d0b65f74469 | refs/heads/master | 2021-01-15T14:31:32.177846 | 2014-06-28T23:02:20 | 2014-06-28T23:02:20 | 21,312,564 | 3 | 0 | null | null | null | null | UTF-8 | Java | false | false | 103 | java | package com.tiarsoft.tutorialAdmob;
public interface AdHandler {
public void showInterstitial();
}
| [
"gerardo_28@hotmail.com"
] | gerardo_28@hotmail.com |
c820410d2e658308632d9d1e770261305de9421a | 8b06f012c6b741c1a9e591946b861969f8ea9533 | /src/project/fantalk/command/AbstractMessageHanler.java | c57198c8cc484cf2dfc603c2e0eb74da19c4dd00 | [] | no_license | gavin01du/fantalk | 4afa0e985713a3f62b01c46bc24833ced9c8cbdc | d1579c2f8817fc67a2b8bbd0c3b672092266beea | refs/heads/master | 2020-07-15T03:12:17.148905 | 2011-06-19T07:01:40 | 2011-06-19T07:01:40 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,255 | java | package project.fantalk.command;
import java.util.Calendar;
import java.util.List;
import java.util.TimeZone;
import project.fantalk.api.Utils;
import project.fantalk.api.fanfou.FanfouService;
import project.fantalk.api.fanfou.Message;
import project.fantalk.model.Datastore;
import project.fantalk.model.Member;
import project.fantalk.xmpp.XMPPUtils;
import com.google.appengine.api.xmpp.JID;
public abstract class AbstractMessageHanler extends BaseCommand {
public AbstractMessageHanler(String name, String... otherNames) {
super(name, otherNames);
}
public abstract List<project.fantalk.api.fanfou.Message> getMessages(
FanfouService fanfou, int count, String lastId, String maxId,
int page);
public abstract String getMessage();
@Override
public void doCommand(project.fantalk.xmpp.Message message, String argument) {
int count = 5;
if (!Utils.isEmpty(argument)) {
count = Utils.toInt(argument);
}
JID sender = message.sender;
String email = message.email;
Datastore datastore = Datastore.getInstance();
Member m = (Member) datastore.getAndCacheMember(email);
if (!Utils.canDo(m.getLastActive())) {
if (!XMPPUtils.isAdmin(email)) {
XMPPUtils.sendMessage("操作过于频繁,请10秒后再试!", sender);
return;
}
}
if (!Utils.isEmpty(m.getUsername())) {
m.setLastActive(Calendar.getInstance(
TimeZone.getTimeZone("GMT+08:00")).getTime());// 更新最后一次API活动时间
String lastMessageId = m.getLastMessageId();
FanfouService fs = new FanfouService(m);
List<project.fantalk.api.fanfou.Message> messages = getMessages(fs,
count, lastMessageId, null, 0);
if (messages== null || messages.isEmpty()) {// 如果无未读消息
XMPPUtils.sendMessage(getMessage(), sender);
} else {
StringBuilder sb = processMessages(m, messages);
String sendMessages = sb.toString();
if (Utils.isEmpty(sendMessages)) {
XMPPUtils.sendMessage(getMessage(), sender);
} else {
XMPPUtils.sendMessage(sendMessages, sender);
}
}
} else {
XMPPUtils.sendMessage("你还未绑定饭否帐号,无法查看主页消息!", sender);
}
m.put();
}
public abstract StringBuilder processMessages(Member m, List<Message> messages);
}
| [
"mcxiaoke@gmail.com"
] | mcxiaoke@gmail.com |
9c04c5c6ca0016e8f01c87844e69de2468e7bc21 | 1240df8f1cdb70b152388c76e38056dc1a0b982a | /tencent-downloader/src/main/java/com/tencent/TencentDownloaderApplication.java | cbb3edc3e16b96d71418e7fff1b7e508ef582fe8 | [] | no_license | phillau/app-crawler | b23114171409797cfbad88adc516e311e3c12af6 | 19df21f98924cae22e10de5d87429993adbffa38 | refs/heads/master | 2020-09-07T20:52:32.982422 | 2019-11-11T05:51:51 | 2019-11-11T05:51:51 | 220,910,428 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 415 | java | package com.tencent;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.scheduling.annotation.EnableScheduling;
@SpringBootApplication
@EnableScheduling
public class TencentDownloaderApplication {
public static void main(String[] args) {
SpringApplication.run(TencentDownloaderApplication.class);
}
}
| [
"2317741837@qq.com"
] | 2317741837@qq.com |
93bf2136c148a7b832f98e19eb83036e04ca93a4 | 155f17bf0f3338b7513d8f6f9472794708321f11 | /yh-common/yh-common-base/src/main/java/com/yh/cloud/base/util/CamelTransferUtil.java | 0daf22ed146f8bfdd3de3246449182ebe35b928e | [
"Apache-2.0"
] | permissive | huhuhan/yh-cloud | 55ec89866f0d72b72380628cd28129795788040e | 2f6569072812dc3b0f7c0c30abb52586764d65e8 | refs/heads/master | 2022-09-10T23:44:20.532174 | 2022-08-02T09:43:28 | 2022-08-02T09:43:28 | 217,266,170 | 3 | 0 | Apache-2.0 | 2022-03-14T09:57:47 | 2019-10-24T09:51:14 | Java | UTF-8 | Java | false | false | 8,461 | java | package com.yh.cloud.base.util;
import java.util.*;
import java.util.function.BiFunction;
import java.util.function.Function;
/**
* 驼峰字符串转化下划线工具类
* 基于jdk1.8
*
* @author yanghan
* @date 2019/7/18
*/
public class CamelTransferUtil {
public static final char UNDERLINE = '_';
/**
* 驼峰转下划线
*
* @param origin
* @return
*/
public static String camelToUnderline(String origin) {
return stringProcess(
origin, (prev, c) -> {
if (Character.isLowerCase(prev) && Character.isUpperCase(c)) {
return "" + UNDERLINE + Character.toLowerCase(c);
}
return "" + c;
}
);
}
/**
* 下划线转驼峰
*
* @param origin
* @return
*/
public static String underlineToCamel(String origin) {
return stringProcess(
origin, (prev, c) -> {
if (prev == '_' && Character.isLowerCase(c)) {
return "" + Character.toUpperCase(c);
}
if (c == '_') {
return "";
}
return "" + c;
}
);
}
/**
* 按字符逐个判断后重新拼接字符串
*
* @param origin
* @param convertFunc
* @return
*/
public static String stringProcess(String origin, BiFunction<Character, Character, String> convertFunc) {
if (origin == null || "".equals(origin.trim())) {
return "";
}
String newOrigin = "0" + origin;
StringBuilder sb = new StringBuilder();
for (int i = 0; i < newOrigin.length() - 1; i++) {
char prev = newOrigin.charAt(i);
char c = newOrigin.charAt(i + 1);
sb.append(convertFunc.apply(prev, c));
}
return sb.toString();
}
/**
* 递归转化map里所有key驼峰转下划线
*
* @param map
* @param resultMap
* @param ignoreKeys 忽略key集合
*/
public static void transferKeyToUnderline(Map<String, Object> map,
Map<String, Object> resultMap,
Set<String> ignoreKeys) {
Set<Map.Entry<String, Object>> entries = map.entrySet();
for (Map.Entry<String, Object> entry : entries) {
String key = entry.getKey();
Object value = entry.getValue();
if (ignoreKeys.contains(key)) {
resultMap.put(key, value);
continue;
}
String newkey = camelToUnderline(key);
if ((value instanceof List)) {
List newList = buildValueList(
(List) value, ignoreKeys,
(m, keys) -> {
Map subResultMap = new HashMap();
transferKeyToUnderline((Map) m, subResultMap, ignoreKeys);
return subResultMap;
});
resultMap.put(newkey, newList);
} else if (value instanceof Map) {
Map<String, Object> subResultMap = new HashMap<String, Object>();
transferKeyToUnderline((Map) value, subResultMap, ignoreKeys);
resultMap.put(newkey, subResultMap);
} else {
resultMap.put(newkey, value);
}
}
}
/**
* 递归转化map里所有key驼峰转下划线
*
* @param map
* @param ignoreKeys
* @return
*/
public static Map<String, Object> transferKeyToUnderline2(Map<String, Object> map,
Set<String> ignoreKeys) {
Set<Map.Entry<String, Object>> entries = map.entrySet();
Map<String, Object> resultMap = new HashMap<String, Object>();
for (Map.Entry<String, Object> entry : entries) {
String key = entry.getKey();
Object value = entry.getValue();
if (ignoreKeys.contains(key)) {
resultMap.put(key, value);
continue;
}
String newkey = camelToUnderline(key);
if ((value instanceof List)) {
List valList = buildValueList((List) value, ignoreKeys,
(m, keys) -> transferKeyToUnderline2(m, keys));
resultMap.put(newkey, valList);
} else if (value instanceof Map) {
Map<String, Object> subResultMap = transferKeyToUnderline2((Map) value, ignoreKeys);
resultMap.put(newkey, subResultMap);
} else {
resultMap.put(newkey, value);
}
}
return resultMap;
}
/**
* 重新构造集合
* 暂不考虑集合内嵌集合
*
* @param valList
* @param ignoreKeys
* @param transferFunc camelToUnderline、underlineToCamel
* @return
*/
public static List buildValueList(List valList, Set<String> ignoreKeys,
BiFunction<Map, Set, Map> transferFunc) {
if (valList == null || valList.size() == 0) {
return valList;
}
//判断集合数据类型
Object first = valList.get(0);
if (!(first instanceof List) && !(first instanceof Map)) {
return valList;
}
//判断List<Map>
List newList = new ArrayList();
for (Object val : valList) {
Map<String, Object> subResultMap = transferFunc.apply((Map) val, ignoreKeys);
newList.add(subResultMap);
}
return newList;
}
/**
* Map转化通用方法
*
* @param map
* @param keyFunc camelToUnderline、underlineToCamel、自定义转化方法
* @param ignoreKeys
* @return
*/
public static Map<String, Object> generalMapProcess(Map<String, Object> map,
Function<String, String> keyFunc,
Set<String> ignoreKeys) {
Map<String, Object> resultMap = new HashMap<String, Object>();
map.forEach(
(key, value) -> {
if (ignoreKeys.contains(key)) {
resultMap.put(key, value);
} else {
String newkey = keyFunc.apply(key);
if ((value instanceof List)) {
resultMap.put(keyFunc.apply(key),
buildValueList((List) value, ignoreKeys,
(m, keys) -> generalMapProcess(m, keyFunc, ignoreKeys)));
} else if (value instanceof Map) {
Map<String, Object> subResultMap = generalMapProcess((Map) value, keyFunc, ignoreKeys);
resultMap.put(newkey, subResultMap);
} else {
resultMap.put(keyFunc.apply(key), value);
}
}
}
);
return resultMap;
}
/**
* List转化通用方法
*
* @param list
* @param keyFunc camelToUnderline、underlineToCamel、自定义转化方法
* @param ignoreKeys
* @return
*/
public static List generalListProcess(List list,
Function<String, String> keyFunc,
Set<String> ignoreKeys) {
List resultList = new ArrayList();
if (list == null || list.size() == 0) {
return list;
}
//判断集合类型
list.forEach(
value -> {
if (ignoreKeys.contains(value)) {
resultList.add(value);
} else if (value instanceof Map) {
Map<String, Object> subResultMap = generalMapProcess((Map) value, keyFunc, ignoreKeys);
resultList.add(subResultMap);
} else {
String keyValue = keyFunc.apply((String) value);
resultList.add(value);
}
});
return resultList;
}
}
| [
"869108683@qq.com"
] | 869108683@qq.com |
e96ed1a0287fceddc03d805f12ecb55c9cf5571b | 11def4e226ef9f0a91e309f30b6c79471660abf5 | /src/com/customize/hub/selfsvc/feeservice/action/HisBillQryHubAction.java | a4457968a908c6ef11d6ecf8f2206e9464a23881 | [] | no_license | 825bingwen/SELFSVC | f2659c46d28e6bfddebeedaf74c2d2a482513966 | 8d7f99ed226df470a0d83265dab499248c35105d | refs/heads/master | 2020-03-30T00:48:29.619167 | 2018-09-27T08:15:09 | 2018-09-27T08:15:09 | 150,545,139 | 0 | 0 | null | null | null | null | GB18030 | Java | false | false | 17,247 | java | package com.customize.hub.selfsvc.feeservice.action;
import java.io.IOException;
import java.io.Writer;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import com.customize.hub.selfsvc.bean.BillQueryHubBean;
import com.gmcc.boss.common.cbo.global.cbo.common.CTagSet;
import com.gmcc.boss.selfsvc.common.BaseAction;
import com.gmcc.boss.selfsvc.common.Constants;
import com.gmcc.boss.selfsvc.login.model.NserCustomerSimp;
import com.gmcc.boss.selfsvc.terminfo.model.TerminalInfoPO;
/**
* 历史账单查询
* @author xkf57421
* @version [版本号, Mar 2, 2012]
* @see [相关类/方法]
* @since [产品/模块版本]
*/
public class HisBillQryHubAction extends BaseAction
{
private static final long serialVersionUID = 21312312L;
private static final String BILLINFO = "billinfo";
private static final String BILLTREND = "billtrend";
private static final String SCOREINFO = "scoreinfo";
private static final String BALANCEINFO = "balanceinfo";
private static final String RECOMMEND = "recommend";
private static final String ACCTBALANCE = "acctbalance";
private static final String SPBILL = "spbill";
private static final String PKGINFO = "pkginfo";
private static final String IODETAIL = "iodetail";
private static NserCustomerSimp customerSimp = null;
private BillQueryHubBean hisBillQryHubBean;
private int i = 0;
public String hisBillBalance() throws IOException
{
i++;
System.out.println("hisBillBalance()" + i);
Writer writer = null;
NserCustomerSimp customer =
(NserCustomerSimp)getRequest().getSession().getAttribute(Constants.USER_INFO);
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billBalanceInfo = "";
System.out.println("hisBillBalance()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billBalance = hisBillQryHubBean.qryCurMonMvalue(customer, getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(), SCOREINFO + "," + BALANCEINFO + "," + BILLINFO);
if(null == billBalance)
{
billBalanceInfo = pb.createErrorMsg(customer.getServNumber(),BALANCEINFO);
}
else
{
String billBalXml = billBalance.GetValue(BALANCEINFO);
String scoreInfoXml = billBalance.GetValue(SCOREINFO);
String billInfoXml = billBalance.GetValue(BILLINFO);
billBalXml += "|" + scoreInfoXml + "|" + billInfoXml;
billBalanceInfo = pb.parseHllBalance(customer.getServNumber(),billBalXml,BALANCEINFO,getCustType());
}
writer.write(billBalanceInfo);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillDetail() throws Exception
{
customerSimp = (NserCustomerSimp)getRequest().getSession().getAttribute(Constants.USER_INFO);
return "hisBillDetail";
}
public String toHisBillTrendImg() throws Exception
{
return "hisBillTrendImg";
}
public String hisBillDetail() throws IOException
{
i++;
System.out.println("hisBillDetail()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billDetail = "";
System.out.println("hisBillDetail()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billInfo = hisBillQryHubBean.qryCurMonBillInfo(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),BILLINFO);
if(null == billInfo)
{
billDetail = pb.createErrorMsg(getNserCustomer().getServNumber(),BILLINFO);
}
else
{
String billInfoXml = billInfo.GetValue(BILLINFO);
billDetail = pb.parseBillDetail(getNserCustomer().getServNumber(),billInfoXml,BILLINFO,getCustType());
}
writer.write(billDetail);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String hisBillTrendImg() throws IOException
{
i++;
System.out.println("hisBillTrendImg()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billTrendImg = "";
System.out.println("hisBillTrendImg()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billTrend = hisBillQryHubBean.qryCurMonBillTrend(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),BILLTREND);
if(null == billTrend)
{
billTrendImg = pb.createErrorMsg(getNserCustomer().getServNumber(),BILLTREND);
}
else
{
String billTrendXml = billTrend.GetValue(BILLTREND);
billTrendImg = pb.parseBillTrend(getNserCustomer().getServNumber(),
billTrendXml,BILLTREND);
}
writer.write(billTrendImg);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
writer.close();
}
return null;
}
public String toHisBillStructImg() throws Exception
{
return "hisBillStructImg";
}
public String hisBillStructImg() throws IOException
{
i++;
System.out.println("hisBillStructImg()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billStuctImg = "";
String billInfoXml = "";
System.out.println("hisBillStructImg()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billInfo = hisBillQryHubBean.qryCurMonBillInfo(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),BILLINFO);
if(null == billInfo)
{
billStuctImg = pb.createErrorMsg(getNserCustomer().getServNumber(),"billstruct");
}
else
{
billInfoXml = billInfo.GetValue(BILLINFO);
billStuctImg = pb.parseBillStruct(getNserCustomer().getServNumber(),
billInfoXml,"billstruct");
}
writer.write(billStuctImg);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillValuate() throws Exception
{
return "hisBillValuate";
}
public String hisBillValuate() throws Exception
{
i++;
System.out.println("hisBillValuate()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billValuate = "";
System.out.println("hisBillValuate()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billValSet = hisBillQryHubBean.qryBillValuate(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),RECOMMEND);
if(null == billValSet)
{
billValuate = pb.createErrorMsg(getNserCustomer().getServNumber(),RECOMMEND);
}
else
{
String billRXml = billValSet.GetValue(RECOMMEND);
billValuate = pb.parseBillRecommend(getNserCustomer().getServNumber(),billRXml,RECOMMEND);
}
writer.write(billValuate);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillAccInfo() throws Exception
{
return "hisBillAccInfo";
}
public String hisBillAccInfo() throws Exception
{
i++;
System.out.println("hisBillAccInfo()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billAccInfo = "";
System.out.println("hisBillAccInfo()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billAccSet = hisBillQryHubBean.qryCurMonMvalue(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),ACCTBALANCE);
if(null == billAccSet)
{
billAccInfo = pb.createErrorMsg(getNserCustomer().getServNumber(),ACCTBALANCE);
}
else
{
String billAccXml = billAccSet.GetValue(ACCTBALANCE);
billAccInfo = pb.parseBillAcc(getNserCustomer().getServNumber(),billAccXml,ACCTBALANCE);
}
writer.write(billAccInfo);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillMvalue() throws Exception
{
return "hisBillMvalue";
}
public String hisBillMvalue() throws IOException
{
i++;
System.out.println("hisBillMvalue()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billMvalue = "";
System.out.println("hisBillMvalue()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billM = hisBillQryHubBean.qryCurMonMvalue(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),SCOREINFO);
if(null == billM)
{
billMvalue = pb.createErrorMsg(getNserCustomer().getServNumber(),SCOREINFO);
}
else
{
String billMXml = billM.GetValue(SCOREINFO);
billMvalue = pb.parseBillMvalue(getNserCustomer().getServNumber(),billMXml,SCOREINFO);
}
writer.write(billMvalue);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillSelfSv() throws Exception
{
return "hisBillSelfSv";
}
public String hisBillSelfSv() throws Exception
{
i++;
System.out.println("hisBillSelfSv()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billSelfSv = "";
String billInfoXml = "";
System.out.println("hisBillSelfSv()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billInfo = hisBillQryHubBean.qryCurMonBillInfo(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),BILLINFO);
if(null == billInfo)
{
billSelfSv = pb.createErrorMsg(getNserCustomer().getServNumber(),"billselfsv");
}
else
{
billInfoXml = billInfo.GetValue(BILLINFO);
billSelfSv = pb.parseBillSelfSv(getNserCustomer().getServNumber(),
billInfoXml,"billselfsv");
}
writer.write(billSelfSv);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillAgentSv() throws Exception
{
return "hisBillAgentSv";
}
public String hisBillAgentSv() throws IOException
{
i++;
System.out.println("hisBillAgentSv()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billAgentSv = "";
System.out.println("hisBillAgentSv()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billAsv = hisBillQryHubBean.qryCurMonMvalue(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),SPBILL);
if(null == billAsv)
{
billAgentSv = pb.createErrorMsg(getNserCustomer().getServNumber(),SPBILL);
}
else
{
String billAsvXml = billAsv.GetValue(SPBILL);
billAgentSv = pb.parseBillAgentSv(getNserCustomer().getServNumber(),billAsvXml,SPBILL);
}
writer.write(billAgentSv);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillCommDetail() throws Exception
{
return "hisBillCommDetail";
}
public String hisBillCommDetail() throws Exception
{
i++;
System.out.println("hisBillCommDetail()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
/*
String billCommDetail = "";
System.out.println("hisBillCommDetail()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billComm = hisBillQryHubBean.qryBillValuate(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),PKGINFO);
if(null == billComm)
{
billCommDetail = pb.createErrorMsg(getNserCustomer().getServNumber(),PKGINFO);
}
else
{
String billCommXml = billComm.GetValue(PKGINFO);
billCommDetail = pb.parseBillComm(getNserCustomer().getServNumber(),billCommXml,PKGINFO);
}*/
String billCommDetail = hisBillQryHubBean.arQryBillCommuHuBExcelEbus(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),PKGINFO);
if(billCommDetail==null)
{
billCommDetail = pb.createErrorMsg(getNserCustomer().getServNumber(),PKGINFO);
}
writer.write(billCommDetail);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public String toHisBillAccDetail() throws Exception
{
return "hisBillAccDetail";
}
public String hisBillAccDetail() throws Exception
{
i++;
System.out.println("hisBillAccDetail()" + i);
Writer writer = null;
try
{
ParseBillUtils pb = new ParseBillUtils();
HttpServletResponse response = getResponse();
HttpServletRequest request = getRequest();
response.setContentType("text/xml;charset=GBK");
request.setCharacterEncoding("GBK");
writer = response.getWriter();
String billAccDetail = "";
System.out.println("hisBillAccDetail()" + getMonth() + "|" + getCurMenuid() + "|" + getCustType());
CTagSet billAccSet = hisBillQryHubBean.qryBillValuate(getNserCustomer(), getTerminalInfo(),
getMonth(), getCurMenuid(),getCustType(),IODETAIL);
if(null == billAccSet)
{
billAccDetail = pb.createErrorMsg(getNserCustomer().getServNumber(),IODETAIL);
}
else
{
String billAccXml = billAccSet.GetValue(IODETAIL);
billAccDetail = pb.parseBillIoDetail(getNserCustomer().getServNumber(),billAccXml,IODETAIL);
}
writer.write(billAccDetail);
writer.flush();
}
catch(Exception e)
{
e.printStackTrace();
return null;
}
finally
{
if(null != writer)
{
writer.close();
}
}
return null;
}
public void setHisBillQryHubBean(BillQueryHubBean hisBillQryHubBean)
{
this.hisBillQryHubBean = hisBillQryHubBean;
}
public NserCustomerSimp getNserCustomer()
{
return customerSimp;
}
public TerminalInfoPO getTerminalInfo()
{
TerminalInfoPO terminalInfo = (TerminalInfoPO)getRequest().getSession().getAttribute(Constants.TERMINAL_INFO);
return terminalInfo;
}
public String getMonth()
{
return (String)getRequest().getSession().getAttribute("HIS_BILL_MONTH");
}
public String getCurMenuid()
{
return (String)getRequest().getSession().getAttribute("HIS_BILL_MENUID");
}
public String getQryType()
{
return (String)getRequest().getSession().getAttribute("HIS_BILL_QRYTYPE");
}
public String getCustType()
{
return (String)getRequest().getSession().getAttribute("HIS_BILL_CUSTTYPE");
}
}
| [
"825bingwen"
] | 825bingwen |
c602043bae2b4c43e3a14a4311065e4e180c5ff7 | ed3cb95dcc590e98d09117ea0b4768df18e8f99e | /project_1_1/src/e/a/Calc_1_1_401.java | 6b8382e7ebebe59ce551cc9eef9d2f1ce8c9a95d | [] | no_license | chalstrick/bigRepo1 | ac7fd5785d475b3c38f1328e370ba9a85a751cff | dad1852eef66fcec200df10083959c674fdcc55d | refs/heads/master | 2016-08-11T17:59:16.079541 | 2015-12-18T14:26:49 | 2015-12-18T14:26:49 | 48,244,030 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 128 | java | package e.a;
public class Calc_1_1_401 {
/** @return the sum of a and b */
public int add(int a, int b) {
return a+b;
}
}
| [
"christian.halstrick@sap.com"
] | christian.halstrick@sap.com |
f3176e3ca50969620a7456d7038efa7eb8c78fb2 | ea15e64534ea92c6ab84ea059ff5a8c879e8f6cd | /src/lab06/executors/fj/Folder.java | 3c4285265433adb1b533d03ea1cfb172393be51c | [] | no_license | LucaPascucci/pap_15_16 | bd208fa6fb477f73406d02a889d332aa2a731197 | 2b37d630bc4738bb0d5bffb89e4834e1a9931bdc | refs/heads/master | 2023-09-02T03:47:33.307163 | 2019-03-24T15:06:42 | 2019-03-24T15:06:42 | 430,444,292 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,093 | java | package lab06.executors.fj;
import java.io.File;
import java.io.IOException;
import java.util.LinkedList;
import java.util.List;
public class Folder {
private final List<Folder> subFolders;
private final List<Document> documents;
public Folder(List<Folder> subFolders, List<Document> documents) {
this.subFolders = subFolders;
this.documents = documents;
}
public List<Folder> getSubFolders() {
return this.subFolders;
}
public List<Document> getDocuments() {
return this.documents;
}
public static Folder fromDirectory(File dir) throws IOException {
List<Document> documents = new LinkedList<>();
List<Folder> subFolders = new LinkedList<>();
for (File entry : dir.listFiles()) {
if (entry.isDirectory()) {
subFolders.add(Folder.fromDirectory(entry));
} else if (entry.getName().endsWith("java")){
documents.add(Document.fromFile(entry));
}
}
return new Folder(subFolders, documents);
}
}
| [
"luca.pascucci@studio.unibo.it"
] | luca.pascucci@studio.unibo.it |
c00204962ecb75a94ad27302c8df41d0bebc84c0 | a0b00495eb2e857a1adf848925558a5859bcd293 | /src/main/java/com/alvarium/hash/NoneProvider.java | 6c91eb3d6ab7368eb2d1e82f0bda49525a616fe9 | [
"Apache-2.0"
] | permissive | welo10/alvarium-sdk-java | 268cea749cb6f03b128ad5eb3da89c5c6bd5206d | 214b943ea832d4bfe36955623efa1240abfee33f | refs/heads/main | 2023-09-03T23:51:15.723536 | 2021-10-13T14:41:38 | 2021-10-13T23:11:18 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 898 | java |
/*******************************************************************************
* Copyright 2021 Dell Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except
* in compliance with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software distributed under the License
* is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express
* or implied. See the License for the specific language governing permissions and limitations under
* the License.
*******************************************************************************/
package com.alvarium.hash;
class NoneProvider implements HashProvider {
@Override
public String derive(byte[] data) {
return new String(data);
}
}
| [
"trevor_conn@dell.com"
] | trevor_conn@dell.com |
dd11448fb7268db4c74a6db5966ebc665025cb1c | 92225460ebca1bb6a594d77b6559b3629b7a94fa | /src/com/kingdee/eas/fdc/contract/client/OaOpinionUI.java | 3e69ae77c260300e13b0498eac5876ece3ce7459 | [] | no_license | yangfan0725/sd | 45182d34575381be3bbdd55f3f68854a6900a362 | 39ebad6e2eb76286d551a9e21967f3f5dc4880da | refs/heads/master | 2023-04-29T01:56:43.770005 | 2023-04-24T05:41:13 | 2023-04-24T05:41:13 | 512,073,641 | 0 | 1 | null | null | null | null | GB18030 | Java | false | false | 2,492 | java | /**
* output package name
*/
package com.kingdee.eas.fdc.contract.client;
import java.awt.event.*;
import java.util.Iterator;
import java.util.Map;
import java.util.Map.Entry;
import org.apache.log4j.Logger;
import com.kingdee.bos.ui.face.CoreUIObject;
import com.kingdee.bos.ctrl.kdf.table.IRow;
import com.kingdee.bos.ctrl.kdf.table.KDTStyleConstants;
import com.kingdee.bos.dao.IObjectValue;
import com.kingdee.eas.fdc.basedata.client.FDCClientVerifyHelper;
import com.kingdee.eas.fdc.basedata.client.FDCMsgBox;
import com.kingdee.eas.fdc.contract.ChangeAuditBillInfo;
import com.kingdee.eas.fdc.contract.ContractBillInfo;
import com.kingdee.eas.fdc.contract.ContractChangeSettleBillInfo;
import com.kingdee.eas.fdc.contract.ContractWithoutTextInfo;
import com.kingdee.eas.fdc.contract.MarketProjectInfo;
import com.kingdee.eas.fdc.contract.PayRequestBillInfo;
import com.kingdee.eas.framework.*;
import com.kingdee.eas.util.SysUtil;
/**
* output class name
*/
public class OaOpinionUI extends AbstractOaOpinionUI
{
private static final Logger logger = CoreUIObject.getLogger(OaOpinionUI.class);
/**
* output class constructor
*/
public OaOpinionUI() throws Exception
{
super();
}
public void onLoad() throws Exception {
super.onLoad();
this.toolBar.setVisible(false);
this.menuBar.setVisible(false);
}
protected void btnNo_actionPerformed(ActionEvent e) throws Exception {
this.destroyWindow();
}
protected void btnYes_actionPerformed(ActionEvent e) throws Exception {
if(this.txtOaOpinion==null||this.txtOaOpinion.getText().trim().equals("")){
FDCMsgBox.showWarning(this,"审批意见不能为空!");
SysUtil.abort();
}
IObjectValue value=(IObjectValue) this.getUIContext().get("editData");
String opinion=this.txtOaOpinion.getText();
if(value instanceof ContractBillInfo){
((ContractBillInfo)value).setOaOpinion(opinion);
}else if(value instanceof ChangeAuditBillInfo){
((ChangeAuditBillInfo)value).setOaOpinion(opinion);
}else if(value instanceof ContractChangeSettleBillInfo){
((ContractChangeSettleBillInfo)value).setOaOpinion(opinion);
}else if(value instanceof ContractWithoutTextInfo){
((ContractWithoutTextInfo)value).setOaOpinion(opinion);
}else if(value instanceof PayRequestBillInfo){
((PayRequestBillInfo)value).setOaOpinion(opinion);
}else if(value instanceof MarketProjectInfo){
((MarketProjectInfo)value).setOaOpinion(opinion);
}
this.destroyWindow();
}
} | [
"yfsmile@qq.com"
] | yfsmile@qq.com |
277fcca5a3284245f7eadfacc11e2ff08269618a | 5d47a72dd30ed4d54de6dab5cd56cd8ec7c14a86 | /src/main/java/com/example/filedemo/property/FileStorageProperties.java | 438dac40d071d6d5f2a05af6cda38f4f8574e4fd | [] | no_license | kwesitor/file-storage-app | 6f8cac5e532543adff9aac77459f477e23eae6b6 | e3d85fdd01fc0992761d54714803eedc6ad6b039 | refs/heads/master | 2020-03-31T22:08:30.671958 | 2018-10-11T16:22:11 | 2018-10-11T16:22:11 | 152,605,970 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 389 | java | package com.example.filedemo.property;
import org.springframework.boot.context.properties.ConfigurationProperties;
@ConfigurationProperties(prefix = "file")
public class FileStorageProperties {
private String uploadDir;
public String getUploadDir() {
return uploadDir;
}
public void setUploadDir(String uploadDir) {
this.uploadDir = uploadDir;
}
}
| [
"calichi@byteworks.com.ng"
] | calichi@byteworks.com.ng |
215734aae301999f7d31108bf2951a6153548230 | 1a067ea4fa1b7ce343038def95d74cbd46d2527f | /src/Arrays2/MissingElementInArray.java | 18cc75971880c75d9c103fd448ae7a2b75f9b52c | [] | no_license | Arun-S-V/L2_Practice_ZOHO | a85269ccd3d0ce33a5a4ed2e1b2c4c514130d475 | 3d5adcb7cf0bc9a0618734f6ab324a17683ecdb1 | refs/heads/master | 2023-08-17T22:24:49.158102 | 2021-09-24T04:14:03 | 2021-09-24T04:14:03 | 405,970,842 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,090 | java | package Arrays2;
import java.util.Arrays;
public class MissingElementInArray {
public static void main(String[] args) {
missingElement();
int array[] = new int[]{1,2,3,4,5,7};
int max = array[0];
for(int i=0;i< array.length;i++){
if(array[i] >max){
max = array[i];
}
}
int hashArray[] = new int[max+1];
Arrays.fill(hashArray,0);
for(int j =0;j< array.length;j++){
int x = array[j];
hashArray[x]++;
}
for(int i =1 ;i< hashArray.length;i++){
if(hashArray[i] == 0){
System.out.println(i);
break;
}
}
}
public static void missingElement(){
int array[] = {1,2,4,5,6,7};
int n = array.length+1;
int totalSum = (n*(n+1))/2;
System.out.println(totalSum);
int sum = 0;
for(int i =0;i<array.length;i++){
sum =sum +array[i];
}
System.out.println(sum);
System.out.println(totalSum-sum);
}
}
| [
"svarun24200@gmail.com"
] | svarun24200@gmail.com |
fe87a4aef2b9efdfad2534fcd5206be400a1b90d | 3e3805d0411d6d113d78ce6ed580b271dddea255 | /app/src/main/java/com/bb/hbx/bean/UserIconBean.java | a68d3c7868c22585b1cf1eb7600c519bfed2d0a7 | [] | no_license | fanchaolve/huibx | 07daa61fd286a49d08a27ea751cc1ebef5cf7d7d | d770339f84c8be9b1ba9af8ab1efcb0b608012c9 | refs/heads/master | 2020-06-12T07:33:01.711089 | 2017-09-25T09:48:19 | 2017-09-25T09:48:19 | 75,596,924 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 6,350 | java | package com.bb.hbx.bean;
/**
* Created by Administrator on 2017/2/12.
*/
public class UserIconBean {
/**
* respCode : 000000
* respMsg : 上传头像成功
* output : {"page":1,"size":10,"totalItems":0,"currPageSize":0,"dir":"DESC","order":null,"orderChain":null,"userId":43,"idenType":null,"idenNo":null,"userLogo":"http://img.51hbx.com/resource/images/user/logo/43.jpg","userGender":null,"areaId":null,"userAddress":null,"userBirthday":null,"payPassword":null,"userAge":null,"userProp":null,"acctType":null,"userLevel":null,"idCardImgZ":null,"idCardImgF":null,"startRow":0,"endRow":10}
* success : true
*/
/**
* page : 1
* size : 10
* totalItems : 0
* currPageSize : 0
* dir : DESC
* order : null
* orderChain : null
* userId : 43
* idenType : null
* idenNo : null
* userLogo : http://img.51hbx.com/resource/images/user/logo/43.jpg
* userGender : null
* areaId : null
* userAddress : null
* userBirthday : null
* payPassword : null
* userAge : null
* userProp : null
* acctType : null
* userLevel : null
* idCardImgZ : null
* idCardImgF : null
* startRow : 0
* endRow : 10
*/
private int page;
private int size;
private int totalItems;
private int currPageSize;
private String dir;
private Object order;
private Object orderChain;
private int userId;
private Object idenType;
private Object idenNo;
private String userLogo;
private Object userGender;
private Object areaId;
private Object userAddress;
private Object userBirthday;
private Object payPassword;
private Object userAge;
private Object userProp;
private Object acctType;
private Object userLevel;
private Object idCardImgZ;
private Object idCardImgF;
private int startRow;
private int endRow;
public int getPage() {
return page;
}
public void setPage(int page) {
this.page = page;
}
public int getSize() {
return size;
}
public void setSize(int size) {
this.size = size;
}
public int getTotalItems() {
return totalItems;
}
public void setTotalItems(int totalItems) {
this.totalItems = totalItems;
}
public int getCurrPageSize() {
return currPageSize;
}
public void setCurrPageSize(int currPageSize) {
this.currPageSize = currPageSize;
}
public String getDir() {
return dir;
}
public void setDir(String dir) {
this.dir = dir;
}
public Object getOrder() {
return order;
}
public void setOrder(Object order) {
this.order = order;
}
public Object getOrderChain() {
return orderChain;
}
public void setOrderChain(Object orderChain) {
this.orderChain = orderChain;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public Object getIdenType() {
return idenType;
}
public void setIdenType(Object idenType) {
this.idenType = idenType;
}
public Object getIdenNo() {
return idenNo;
}
public void setIdenNo(Object idenNo) {
this.idenNo = idenNo;
}
public String getUserLogo() {
return userLogo;
}
public void setUserLogo(String userLogo) {
this.userLogo = userLogo;
}
public Object getUserGender() {
return userGender;
}
public void setUserGender(Object userGender) {
this.userGender = userGender;
}
public Object getAreaId() {
return areaId;
}
public void setAreaId(Object areaId) {
this.areaId = areaId;
}
public Object getUserAddress() {
return userAddress;
}
public void setUserAddress(Object userAddress) {
this.userAddress = userAddress;
}
public Object getUserBirthday() {
return userBirthday;
}
public void setUserBirthday(Object userBirthday) {
this.userBirthday = userBirthday;
}
public Object getPayPassword() {
return payPassword;
}
public void setPayPassword(Object payPassword) {
this.payPassword = payPassword;
}
public Object getUserAge() {
return userAge;
}
public void setUserAge(Object userAge) {
this.userAge = userAge;
}
public Object getUserProp() {
return userProp;
}
public void setUserProp(Object userProp) {
this.userProp = userProp;
}
public Object getAcctType() {
return acctType;
}
public void setAcctType(Object acctType) {
this.acctType = acctType;
}
public Object getUserLevel() {
return userLevel;
}
public void setUserLevel(Object userLevel) {
this.userLevel = userLevel;
}
public Object getIdCardImgZ() {
return idCardImgZ;
}
public void setIdCardImgZ(Object idCardImgZ) {
this.idCardImgZ = idCardImgZ;
}
public Object getIdCardImgF() {
return idCardImgF;
}
public void setIdCardImgF(Object idCardImgF) {
this.idCardImgF = idCardImgF;
}
public int getStartRow() {
return startRow;
}
public void setStartRow(int startRow) {
this.startRow = startRow;
}
public int getEndRow() {
return endRow;
}
public void setEndRow(int endRow) {
this.endRow = endRow;
}
}
| [
"15735926343@163.com"
] | 15735926343@163.com |
fff5fbf0e91dd309956f04b1159063c98835c3cf | 180e78725121de49801e34de358c32cf7148b0a2 | /dataset/protocol1/yauaa/learning/1122/YauaaVersion.java | a1db09bd67d026b354a6129c62fcc183644b4d21 | [] | no_license | ASSERT-KTH/synthetic-checkstyle-error-dataset | 40e8d1e0a7ebe7f7711def96a390891a6922f7bd | 40c057e1669584bfc6fecf789b5b2854660222f3 | refs/heads/master | 2023-03-18T12:50:55.410343 | 2019-01-25T09:54:39 | 2019-01-25T09:54:39 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 6,854 | java | /*
* Yet Another UserAgent Analyzer
* Copyright (C) 2013-2018 Niels Basjes
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* https://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package nl.basjes.parse.useragent.utils;
import nl.basjes.parse.useragent.analyze.InvalidParserConfigurationException;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.yaml.snakeyaml.nodes.MappingNode;
import org.yaml.snakeyaml.nodes.Node;
import org.yaml.snakeyaml.nodes.NodeTuple;
import org.yaml.snakeyaml.nodes.SequenceNode;
import java.util.List;
import static nl.basjes.parse.useragent.Version.BUILD_TIME_STAMP;
import static nl.basjes.parse.useragent.Version.COPYRIGHT;
import static nl.basjes.parse.useragent.Version.GIT_COMMIT_ID_DESCRIBE_SHORT;
import static nl.basjes.parse.useragent.Version.LICENSE;
import static nl.basjes.parse.useragent.Version.PROJECT_VERSION;
import static nl.basjes.parse.useragent.Version.URL;
import static nl.basjes.parse.useragent.utils.YamlUtils.getExactlyOneNodeTuple;
import static nl.basjes.parse.useragent.utils.YamlUtils.getKeyAsString;
import static nl.basjes.parse.useragent.utils.YamlUtils.getValueAsSequenceNode;
import static nl.basjes.parse.useragent.utils.YamlUtils.getValueAsString;
import static nl.basjes.parse.useragent.utils.YamlUtils.requireNodeInstanceOf;
public final class YauaaVersion {
private static final Logger LOG = LoggerFactory.getLogger(YauaaVersion.class);
private YauaaVersion() {
}
public static void logVersion(String... extraLines) {
String[] lines = {
"For more information: " + URL,
COPYRIGHT + " - " + LICENSE
};
String version = getVersion();
int width = version.length();
for (String line : lines
) {
width = Math.max(width, line.length());
}
for (String line : extraLines) {
width = Math.max(width, line.length());
}
LOG.info("");
LOG.info("/-{}-\\", padding('-', width));
logLine(version, width);
LOG.info("+-{}-+", padding('-', width));
for (String line : lines) {
logLine(line, width);
}
if (extraLines.length > 0) {
LOG.info("+-{}-+", padding('-', width));
for (String line : extraLines) {
logLine(line, width);
}
}
LOG.info("\\-{}-/", padding('-', width));
LOG.info("");
}
private static String padding(char letter, int count) {
StringBuilder sb = new StringBuilder(128);
for (int i = 0; i < count; i++) {
sb.append(letter);
}
return sb.toString();
}
private static void logLine(String line, int width) {
LOG.info("| {}{} |", line, padding(' ', width - line.length()));
}
public static String getVersion() {
return getVersion(PROJECT_VERSION, GIT_COMMIT_ID_DESCRIBE_SHORT, BUILD_TIME_STAMP);
}
public static String getVersion(String projectVersion, String gitCommitIdDescribeShort, String buildTimestamp) {
return "Yauaa " + projectVersion + " (" + gitCommitIdDescribeShort + " @ " + buildTimestamp + ")";
}
public static void assertSameVersion(NodeTuple versionNodeTuple, String filename) {
// Check the version information from the Yaml files
SequenceNode versionNode = getValueAsSequenceNode(versionNodeTuple, filename);
String gitCommitIdDescribeShort = null;
String buildTimestamp = null;
String projectVersion = null;
List<Node> versionList = versionNode.getValue();
for (Node versionEntry : versionList) {
requireNodeInstanceOf(MappingNode.class, versionEntry, filename, "The entry MUST be a mapping");
NodeTuple entry = getExactlyOneNodeTuple((MappingNode) versionEntry, filename);
String key = getKeyAsString(entry, filename);
String value = getValueAsString(entry, filename);
switch (key) {
case "git_commit_id_describe_short":
gitCommitIdDescribeShort = value;
break;
case "build_timestamp":
buildTimestamp = value;
break;
case "project_version":
projectVersion = value;
break;
case "copyright":
case "license":
case "url":
// Ignore those two when comparing.
break;
default:
throw new InvalidParserConfigurationException(
"Yaml config.(" + filename + ":" + versionNode.getStartMark().getLine() + "): " +
"Found unexpected config entry: " + key + ", allowed are " +
"'git_commit_id_describe_short', 'build_timestamp' and 'project_version'");
}
}
assertSameVersion(gitCommitIdDescribeShort, buildTimestamp, projectVersion);
}
public static void assertSameVersion(String gitCommitIdDescribeShort, String buildTimestamp, String projectVersion) {
if (GIT_COMMIT_ID_DESCRIBE_SHORT.equals(gitCommitIdDescribeShort) &&
BUILD_TIME_STAMP.equals(buildTimestamp) &&
PROJECT_VERSION.equals(projectVersion)) {
return;
}
String libraryVersion = getVersion(PROJECT_VERSION, GIT_COMMIT_ID_DESCRIBE_SHORT, BUILD_TIME_STAMP);
String rulesVersion = getVersion(projectVersion, gitCommitIdDescribeShort, buildTimestamp);
LOG.error("===============================================");
LOG.error("========== FATAL ERROR ===========");
LOG.error("vvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv");
LOG.error("");
LOG.error("Two different Yauaa versions have been loaded:");
LOG.error("Runtime Library: {}", libraryVersion);
LOG.error("Rule sets : {}", rulesVersion);
LOG.error("");
LOG.error("^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^");
LOG.error("===============================================");
throw new InvalidParserConfigurationException("Two different Yauaa versions have been loaded: \n" +
"Runtime Library: " + libraryVersion + "\n" +
"Rule sets : " + rulesVersion + "\n");
}
}
| [
"bloriot97@gmail.com"
] | bloriot97@gmail.com |
01364013ea62c6e4deb567bbc49c9891138dc22d | 53c7818855a4cd31bca63f4516877ec809f3ec25 | /src/se/terhol/pisemka36/OutOfStockException.java | bbdc2ebea73e7f26e40d0fa1597288e9fc7af7bc | [
"MIT"
] | permissive | terhol/test3-6 | dc0e48a657c1b6a00b18c64d4b08e6b1568cae24 | 3a6069841727c664e1b0a30836fcd08406f5f018 | refs/heads/master | 2020-04-17T05:26:03.079628 | 2019-01-17T18:53:42 | 2019-01-17T18:53:42 | 166,278,638 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 600 | java | package se.terhol.pisemka36;
/**
* Product is not in the automat in required quantity.
*
* @author Radek Oslejsek
* @version 2011-02-08
*/
public class OutOfStockException extends AutomatException {
/**
* Creates a new instance of <code>OutOfStockException</code> without detail message.
*/
public OutOfStockException() {
super("Out of stock");
}
/**
* Creates a new instance of <code>OutOfStockException</code> with detail message.
* @param msg the detail message.
*/
public OutOfStockException(String msg) {
super(msg);
}
}
| [
"holm.tereza@gmail.com"
] | holm.tereza@gmail.com |
e50f4c3000a4d395898b8dee66a0c40296748b87 | 96d7788bfc1b746b41c7605da93b64805a558a8f | /src/battleship/field/BattleshipField.java | 4bdf5ec7824c861a3b30a45cbecb8060a7b27f35 | [] | no_license | samplec0de/Battleship | 7e6cab31b69f3313a4a1619ae5df3cfebfcf0d06 | 5634400533847acd28e5dc33dcfc2ec7f0bc0592 | refs/heads/master | 2023-08-27T09:38:23.085141 | 2021-11-10T21:01:15 | 2021-11-10T21:01:15 | 426,775,063 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 9,917 | java | package battleship.field;
import battleship.ships.*;
import java.util.ArrayList;
import java.util.concurrent.ThreadLocalRandom;
public class BattleshipField {
protected final int MAX_RETRIES = 100000;
protected int width;
protected int height;
protected int score = 0;
protected boolean recoveryMode;
protected FieldCell[][] cells;
/**
* Устанавливает размер поля
* @param width ширина поля (количество столбцов)
* @param height высота поля (количество строк)
*/
public void setSize(int width, int height) {
this.width = width;
this.height = height;
this.cells = new FieldCell[height][width];
}
/**
* Случайным образом расставляет корабли
* @param carriers количество кораблей типа Carrier
* @param battleShips количество кораблей типа Battleship
* @param cruisers количество кораблей типа Cruiser
* @param destroyers количество кораблей типа Destroyer
* @param submarines количество кораблей типа Submarine
* @return true - удалось расставить корабли в заданном количестве на поле,
* false - не удалось расставить корабли по правилам
*/
public boolean resetGame(int carriers, int battleShips, int cruisers, int destroyers, int submarines) {
int totalShips = battleShips + carriers + cruisers + destroyers + submarines;
ArrayList<BaseShip> ships = new ArrayList<>();
for (int i = 0; i < battleShips; ++i) {
ships.add(new Battleship());
}
for (int i = 0; i < carriers; ++i) {
ships.add(new Carrier());
}
for (int i = 0; i < cruisers; ++i) {
ships.add(new Cruiser());
}
for (int i = 0; i < destroyers; ++i) {
ships.add(new Destroyer());
}
for (int i = 0; i < submarines; ++i) {
ships.add(new Submarine());
}
int retries = 0;
while (retries < MAX_RETRIES) {
retries += 1;
clearField();
boolean placedAll = true;
for (int i = 0; i < totalShips; ++i) {
int row = ThreadLocalRandom.current().nextInt(0, height);
int column = ThreadLocalRandom.current().nextInt(0, width);
boolean vertically = ThreadLocalRandom.current().nextBoolean();
if (!placeShip(ships.get(i), row, column, vertically)) {
placedAll = false;
break;
}
}
if (placedAll) {
return true;
}
clearField();
}
return false;
}
/**
* Очищает поле от кораблей, выставляет пустые ячейки
*/
protected void clearField() {
for (int i = 0; i < this.height; ++i) {
for (int j = 0; j < this.width; ++j) {
this.cells[i][j] = new FieldCell();
}
}
}
/**
* Проверяет можно ли уместить корабль не нарушая правил (два корабля не имеют общих ячеек и не касаются)
* @param ship корабль
* @param row строка
* @param column столбец
* @param vertically ориентация (true - вертикальная, false - горизонтальная)
* @return возможность размещения корабля
*/
private boolean shipFits(BaseShip ship, int row, int column, boolean vertically) {
if (vertically) {
if (row + ship.getCellsCount() > this.height) {
return false;
}
for (int i = row; i < row + ship.getCellsCount(); ++i) {
if (this.cells[i][column].ship != null || cellHasNeighbour(i, column)) {
return false;
}
}
} else {
if (column + ship.getCellsCount() > this.width) {
return false;
}
for (int j = column; j < column + ship.getCellsCount(); ++j) {
if (this.cells[row][j].ship != null || cellHasNeighbour(row, j)) {
return false;
}
}
}
return true;
}
/**
* Размещает корабль (передаются координаты кармы коробля)
* @param ship корабль
* @param row строка
* @param column столбец
* @param vertically ориентация (true - вертикальная, false - горизонтальная)
* @return успех размещения
*/
protected boolean placeShip(BaseShip ship, int row, int column, boolean vertically) {
if (!shipFits(ship, row, column, vertically)) {
return false;
}
if (vertically) {
for (int i = row; i < row + ship.getCellsCount(); ++i) {
this.cells[i][column].ship = ship;
}
} else {
for (int j = column; j < column + ship.getCellsCount(); ++j) {
this.cells[row][j].ship = ship;
}
}
return true;
}
/**
* Флаг наличия корабля по заданным координатам
* @param row строка
* @param column столбец
* @return стоит ли корабль на заданной ячейке
*/
protected boolean isShip(int row, int column) {
if (row < 0 || column < 0 || row >= height || column >= width) {
return false;
}
return cells[row][column].ship != null;
}
/**
* Флаг возможности размещения корабля на ячейке
* @param row строка
* @param column столбец
* @return есть ли у клетки занятые соседи
*/
protected boolean cellHasNeighbour(int row, int column) {
int[] deltaRow = {1, -1, 0, 0, 1, -1, 1, -1};
int[] deltaColumn = {0, 0, 1, -1, 1, -1, -1, 1};
for (int i = 0; i < 8; ++i) {
if (isShip(row + deltaRow[i], column + deltaColumn[i])) {
return true;
}
}
return false;
}
/**
* Наносит удар по клетке
* @param row строка
* @param column столбец
* @param torpedo удар торпедой
* @return true - если в клетке есть корабль, false - если нет
*/
public boolean hit(int row, int column, boolean torpedo) {
if (row < 0 || column < 0 || row >= height || column >= width) {
return false;
}
score += 1;
if (isShip(row, column)) {
if (!cells[row][column].attacked) {
cells[row][column].attacked = true;
cells[row][column].ship.attack(torpedo);
}
return true;
}
cells[row][column].attacked = true;
if (recoveryMode) {
boolean clearFlag = false;
for (int i = 0; i < height; ++i) {
for (int j = 0; j < width; ++j) {
if (cells[i][j].attacked && isShip(i, j) && !shipAt(i, j).sunk()) {
cells[i][j].attacked = false;
shipAt(i, j).recover();
clearFlag = true;
}
}
}
if (clearFlag) {
System.out.println("[BattleShip] Ships were recovered because of recovery mode!");
}
}
return false;
}
/**
* Атакована ли клетка
* @param row строка
* @param column столбец
* @return true - если игрок атаковал клетку, false - если нет
*/
public boolean attacked(int row, int column) {
return row >= 0 && row < height && column >= 0 && column < width && cells[row][column].attacked;
}
/**
* Возвращает объект корабля по координатам
* @param row строка
* @param column столбец
* @return корабль или null
*/
public BaseShip shipAt(int row, int column) {
if (row >= 0 && row < height && column >= 0 && column < width) {
return cells[row][column].ship;
}
return null;
}
/**
* Признак наличия не потопленных кораблей на поле
* @return true - если есть ещё не потопленные корабли, false - если все корабли потоплены
*/
public boolean hasAliveShips() {
for (int i = 0; i < this.height; ++i) {
for (int j = 0; j < this.width; ++j) {
if (cells[i][j].ship != null && !cells[i][j].ship.sunk()) {
return true;
}
}
}
return false;
}
/**
* Строковое представление поля
* @return строка, содержащая поле
*/
public String toString() {
StringBuilder ans = new StringBuilder();
for (int i = 0; i < this.height; ++i) {
for (int j = 0; j < this.width; ++j) {
ans.append(" ");
ans.append(cells[i][j].getIcon());
ans.append(" ");
}
ans.append("\n");
}
return ans.toString();
}
}
| [
"andrewmosk@icloud.com"
] | andrewmosk@icloud.com |
8136df56c36780a3daed3297d724bda95d5fe56f | 8c7c44c89c07272265ad12bf7b8b2b58f491024e | /Project/src/Project/ActionItemList.java | 4b55a087d1152e52b890a1ac6389827d92399f35 | [] | no_license | Jackie-Yao/CSPC6000-Project | 6f2a432f00924c83cbee1c36d7ee2388c6191179 | 3036817e4f600bb0afff41fd453e213e59253bad | refs/heads/master | 2023-03-19T22:31:55.867920 | 2021-03-14T02:13:43 | 2021-03-14T02:13:43 | 340,824,435 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,281 | java | package Project;
public class ActionItemList {
ActionItem[] ActionItems = new ActionItem[10];
//Laster would change to user input related
public ActionItemList(int WakeUpHour, int WakeUpMinute, int SleepDurationHour, int SleepDurationMinute) {
// set up wake up time
Time WakeUpTime = new Time(WakeUpHour,WakeUpMinute);
this.ActionItems[3] = new ActionItem(WakeUpTime, "WAKE UP");
// bedtime
Time BedTime = WakeUpTime.GetSubtractedTime(SleepDurationHour, SleepDurationMinute);
this.ActionItems[2] = new ActionItem(BedTime, "BED TIME");
//Light Off
Time LightOff = BedTime.GetSubtractedTime(0, 30);
this.ActionItems[1] = new ActionItem(LightOff, "LIGHT DIM DOWN");
//Curtain Close
Time CurtainClose = LightOff.GetSubtractedTime(0, 10);
this.ActionItems[0] = new ActionItem(CurtainClose, "CURTAIN CLOSE");
// Morning: Light ON
Time LightOn = WakeUpTime.GetAddedTime(0, 15);
this.ActionItems[4] = new ActionItem(LightOn, "LIGHT DIM UP");
//Curtain Open Morning
Time CurtainOpen = LightOn.GetAddedTime(0,30);
this.ActionItems[5] = new ActionItem(CurtainOpen, "CURTAIN OPEN");
}
public ActionItemIterator CreateIterator() {
return new ActionItemIterator(this.ActionItems);
}
}
| [
"Jackie-Yao-5006@users.noreply.github.com"
] | Jackie-Yao-5006@users.noreply.github.com |
9a9b06804844c160ddb97632ebf10261dc797dcc | e9cb76d54b080d0ebcb5ab78b26f82173fd3b913 | /src/main/java/service/WykladowcaService.java | 9da31cd5421ac70c69f96b57a7decc3bb4711bb0 | [] | no_license | devkonstan/Hibernate | 68b46296faf8165bf574fbbb8662c4493b44c38c | 151442a7f0b2d27d775c4994fff50d0d1117dd2b | refs/heads/master | 2022-07-06T02:41:24.415947 | 2019-10-06T12:33:32 | 2019-10-06T12:33:32 | 189,124,172 | 0 | 0 | null | 2022-06-21T01:11:14 | 2019-05-29T00:48:35 | Java | UTF-8 | Java | false | false | 900 | java | package service;
import dao.WykladowcaDao;
import dao.iWykladowcaDao;
import model.Wykladowca;
import java.util.List;
public class WykladowcaService {
private iWykladowcaDao wykladowcaDao = new WykladowcaDao();
public void save(Wykladowca wykladowca) {
wykladowcaDao.openSessionWithTransaction();
wykladowcaDao.persist(wykladowca);
wykladowcaDao.closeSessionWithTransaction();
}
public Wykladowca getById(int id) {
wykladowcaDao.openSessionWithTransaction();
Wykladowca wykladowca = wykladowcaDao.getById(id);
wykladowcaDao.closeSessionWithTransaction();
return wykladowca;
}
public List<Wykladowca> getAll() {
wykladowcaDao.openSessionWithTransaction();
List<Wykladowca> profesors = wykladowcaDao.getAll();
wykladowcaDao.closeSessionWithTransaction();
return profesors;
}
}
| [
"konrad.stankievich@gmail.com"
] | konrad.stankievich@gmail.com |
a05e4c69d43f99191d6e7b53b330466aacdb466d | 32b80afccf295c745c92c4d069c561adf5f44bc8 | /app/src/main/java/com/adaxiom/fragments/FragTimeSheet.java | 2e9ed56498ad9d99a9861016b428929665988758 | [] | no_license | Fazal-Rasool/Locumset | acf7522e2edc15c07b08951ece29e3f419c19436 | a5f174553a1fb3aed81471f90bc31cf6830cb3cf | refs/heads/master | 2020-05-16T11:35:33.630795 | 2019-09-05T19:28:58 | 2019-09-05T19:28:58 | 183,020,062 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 544 | java | package com.adaxiom.fragments;
import android.os.Bundle;
import android.support.v4.app.Fragment;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import com.adaxiom.locumset.R;
public class FragTimeSheet extends Fragment {
View view;
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
view = inflater.inflate(R.layout.frag_time_sheet, container, false);
return view;
}
}
| [
"fazalrasool789@gmail.com"
] | fazalrasool789@gmail.com |
dea8ee456399d6d3fd096141b83812428cdc6de3 | fb534d46b444bf23087a31dba5f2916546865a97 | /org/omg/PortableServer/ServantLocator.java | 280bfff9b6dd3401fe828621a995de66dbc33031 | [] | no_license | hliuliu/javasrc | 0f4b885a68feb138a1754a88e90b4e874947381c | c01b990b43d79106f5335169f88e72c92beda7a0 | refs/heads/master | 2021-08-19T17:37:40.562583 | 2017-11-27T03:29:05 | 2017-11-27T03:29:05 | 112,141,877 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,310 | java | package org.omg.PortableServer;
/**
* org/omg/PortableServer/ServantLocator.java .
* Generated by the IDL-to-Java compiler (portable), version "3.2"
* from ../../../../src/share/classes/org/omg/PortableServer/poa.idl
* Wednesday, May 7, 2014 12:49:09 PM PDT
*/
/**
* When the POA has the NON_RETAIN policy it uses servant
* managers that are ServantLocators. Because the POA
* knows that the servant returned by this servant
* manager will be used only for a single request,
* it can supply extra information to the servant
* manager's operations and the servant manager's pair
* of operations may be able to cooperate to do
* something different than a ServantActivator.
* When the POA uses the ServantLocator interface,
* immediately after performing the operation invocation
* on the servant returned by preinvoke, the POA will
* invoke postinvoke on the servant manager, passing the
* ObjectId value and the Servant value as parameters
* (among others). This feature may be used to force
* every request for objects associated with a POA to
* be mediated by the servant manager.
*/
public interface ServantLocator extends ServantLocatorOperations, org.omg.PortableServer.ServantManager, org.omg.CORBA.portable.IDLEntity
{
} // interface ServantLocator
| [
"heng_liu94@hotmail.com"
] | heng_liu94@hotmail.com |
cf068fd89adfb997a45ff21c3c1813eda24d82d0 | d662cc0ae166ecaf76763db68745a1f0bb4406c5 | /src/com/cms/dao/IBaseDao.java | 0937a4db6b498e760fe5f8634f40c0b72c9cd429 | [] | no_license | Zzij/cms | 66fdd057087e2b9a6f79fdd3e4ca69833bda7980 | 66bfe99540437f28646ad751d74129d3c4740f7c | refs/heads/master | 2020-03-28T22:10:55.184200 | 2018-10-18T02:32:28 | 2018-10-18T02:32:28 | 149,211,013 | 2 | 2 | null | null | null | null | UTF-8 | Java | false | false | 186 | java | package com.cms.dao;
import java.util.List;
public interface IBaseDao<T> {
void save(T obj);
void delete(Long id);
void update(T obj);
T get(long contId);
List<T> list();
}
| [
"1241646494@qq.com"
] | 1241646494@qq.com |
b8994e16e9d29b851104e2c8b11abc6b6fc0d177 | 42d7de1cfa26d11870ac875b39d50adc35790c9f | /motech-web-utils/src/main/java/org/motechproject/web/filter/TeeServletOutputStream.java | 7e8d0ce6a38f4c033a7cc94b3e38e7358fd8b055 | [] | no_license | mkustusz/motech-contrib | 53cfdcb70d3bb5973152f22f8cf5bb3d871b56ca | 4aea48345b69501745cc58694265ef2c5403629c | refs/heads/master | 2021-01-16T22:49:59.938034 | 2014-08-21T08:32:10 | 2014-08-21T08:32:10 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 943 | java | package org.motechproject.web.filter;
import org.springframework.util.Assert;
import javax.servlet.ServletOutputStream;
import java.io.IOException;
import java.io.OutputStream;
class TeeServletOutputStream extends ServletOutputStream {
private final OutputStream targetStream;
private StringBuilder stringBuilder;
public TeeServletOutputStream(OutputStream targetStream, StringBuilder stringBuilder) {
this.stringBuilder = stringBuilder;
Assert.notNull(targetStream, "Target OutputStream must not be null");
this.targetStream = targetStream;
}
public void write(int b) throws IOException {
this.targetStream.write(b);
stringBuilder.append((char) b);
}
public void flush() throws IOException {
super.flush();
this.targetStream.flush();
}
public void close() throws IOException {
super.close();
this.targetStream.close();
}
}
| [
"vatsa.katta@gmail.com"
] | vatsa.katta@gmail.com |
231e9c8c44dfd8e17290b985cb9f84dee55850a4 | eb9f655206c43c12b497c667ba56a0d358b6bc3a | /java/java-tests/testData/inspection/switchExpressionMigration/afterSwitchWithReturnNonExhaustiveSealed.java | 5d1c070f8e7a275a0edf5905b9d8e1fb4383f235 | [
"Apache-2.0"
] | permissive | JetBrains/intellij-community | 2ed226e200ecc17c037dcddd4a006de56cd43941 | 05dbd4575d01a213f3f4d69aa4968473f2536142 | refs/heads/master | 2023-09-03T17:06:37.560889 | 2023-09-03T11:51:00 | 2023-09-03T12:12:27 | 2,489,216 | 16,288 | 6,635 | Apache-2.0 | 2023-09-12T07:41:58 | 2011-09-30T13:33:05 | null | UTF-8 | Java | false | false | 282 | java | // "Replace with 'switch' expression" "true-preview"
class X {
int test(I i) {
return switch (i) {
case C1 c1 -> 3;
default -> 5;
};
}
sealed interface I {}
final class C1 implements I {}
final class C2 implements I {}
} | [
"intellij-monorepo-bot-no-reply@jetbrains.com"
] | intellij-monorepo-bot-no-reply@jetbrains.com |
1a0002e18605e23686aa71b9fc0e50aa2f4be511 | 18c7e79c60249aed99ac6f76cb253a530adc7397 | /TestDB/src/CheckLoadJDBC.java | 164f3fe0f71f5e57cd03110a64e2b9167ce1273f | [] | no_license | s010010f/test | d6bef47f46d6a911fc2059e7c7c068c2273b4761 | 44788ef8c885095ff7f5bde7079bf3c621b17f72 | refs/heads/master | 2020-04-27T17:20:57.392105 | 2019-06-14T12:49:26 | 2019-06-14T12:49:26 | 174,514,490 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 456 | java |
public class CheckLoadJDBC {
public static void main(String[] args) throws InstantiationException,IllegalAccessException{
// TODO 自動生成されたメソッド・スタブ
String msg = "";
try {
Class.forName("com.mysql.jdbc.Driver").newInstance();
msg = "ドライバのロードに成功しました";
}catch(ClassNotFoundException e){
msg = "ドライバのロードに失敗しました";
}
System.out.println(msg);
}
}
| [
"S12@aol.jp"
] | S12@aol.jp |
1f8593b15bda61e6a76e56cb73a52aa6c0ffbb68 | 247937033ab6815b2d061b075e0bdf5807b4fb06 | /app/src/main/java/com/kelompokc/tubes/adapter/AdapterPinjam.java | 1ac4035434adb1d56f641e64236ce956d14987c2 | [] | no_license | HilariusRyanAB/PBP_UAS_A_KelC | 49e881b4287ac6896b8925ffdcdc07d7ec2956a0 | efe415c9ef60114cdfb7cdc085553b13cac5e69a | refs/heads/master | 2023-01-29T00:23:02.927534 | 2020-12-07T00:59:38 | 2020-12-07T00:59:38 | 316,127,982 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,678 | java | package com.kelompokc.tubes.adapter;
import android.content.Context;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import androidx.annotation.NonNull;
import androidx.databinding.DataBindingUtil;
import androidx.recyclerview.widget.RecyclerView;
import com.google.android.material.card.MaterialCardView;
import com.kelompokc.tubes.R;
import com.kelompokc.tubes.databinding.AdapterRecyclerViewBinding;
import com.kelompokc.tubes.model.Buku;
import com.shashank.sony.fancytoastlib.FancyToast;
import java.util.ArrayList;
import java.util.List;
public class AdapterPinjam extends RecyclerView.Adapter<AdapterPinjam.MyViewHolder>
{
private Context context;
private List<Buku> result;
private int check = 0;
private boolean b;
private AdapterRecyclerViewBinding binding;
private List<Buku> bukuList = new ArrayList<>();
public AdapterPinjam(Context context, List<Buku> result)
{
this.context = context;
this.result = result;
}
@NonNull
@Override
public MyViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType)
{
LayoutInflater layoutInflater = LayoutInflater.from(parent.getContext());
binding = DataBindingUtil.inflate(layoutInflater, R.layout.adapter_recycler_view, parent, false);
return new MyViewHolder(binding.getRoot());
}
@Override
public void onBindViewHolder(@NonNull final MyViewHolder holder, final int position)
{
Buku buku = result.get(position);
binding.setBuku(buku);
if(bukuList.size()!=0)
{
for (int i = 0; i< bukuList.size(); i++)
{
bukuList.remove(i);
}
}
holder.itemCard.setOnClickListener(new View.OnClickListener()
{
@Override
public void onClick(View view)
{
holder.itemCard.setChecked(!holder.itemCard.isChecked());
if(holder.itemCard.isChecked())
{
check++;
b = true;
}
else
{
check--;
b = false;
}
if(check<=2)
{
setAddOrRemove(position, b, result);
}
else
{
FancyToast.makeText(context, "Maksimal Pinjam 2", FancyToast.LENGTH_SHORT,
FancyToast.ERROR, false).show();
holder.itemCard.setChecked(false);
check--;
}
}
});
}
@Override
public int getItemCount()
{
return result.size();
}
@Override
public int getItemViewType(int position)
{
return position;
}
public class MyViewHolder extends RecyclerView.ViewHolder implements View.OnClickListener
{
private final AdapterRecyclerViewBinding binding;
private MaterialCardView itemCard;
public MyViewHolder(@NonNull View itemView)
{
super(itemView);
binding = DataBindingUtil.bind(itemView);
itemCard = itemView.findViewById(R.id.item_buku);
}
public void onClick(View view)
{
}
}
private void setAddOrRemove(int index, boolean b, List<Buku> result)
{
if(b)
{
bukuList.add(result.get(index));
}
else
{
bukuList.remove(result.get(index));
}
}
public List<Buku> getDataBuku()
{
return bukuList;
}
} | [
"benedecash@gmail.com"
] | benedecash@gmail.com |
d7570855b5e535ae30d98e25a2b412ffac2ea107 | 046aa16c531e00d6c114fdbeacc19f8b196827d7 | /src/net/liujian/cheer/demo/ch18/ThreadControllerTest.java | 6512eeef3d771547556943d0f518d9bbc90bbcc1 | [] | no_license | liujian1989/liujian | 92032847b47c4599609ef2a6c62a03913f58ea6a | bb1193763c2be7e3e8152f2c50dabd8c69a00901 | refs/heads/master | 2021-01-19T18:59:04.963679 | 2017-06-25T01:42:59 | 2017-06-25T01:49:27 | 88,392,831 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,856 | java | package net.liujian.cheer.demo.ch18;
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.EventQueue;
import java.awt.Graphics;
import java.awt.GridLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Random;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JPanel;
public class ThreadControllerTest {
public static void main(String[] args) {
EventQueue.invokeLater(new Runnable(){
@Override
public void run() {
JFrame frame =new ThreadSleepFrame();
frame.setVisible(true);
}
});
}
}
class ThreadControllerTestFrame extends JFrame{
private static final long serialVersionUID = 8068891321155013122L;
private static Color[] colors ={
Color.RED,
Color.BLUE,
Color.BLACK,
Color.CYAN,
Color.YELLOW,
Color.GREEN,
Color.MAGENTA,
Color.WHITE
};
private Thread liver;
private JPanel main;
private JButton startButton;
private JButton breakButton;
private JButton stopButton;
private static int threadStatus=0; //init 1 run 2 break
public ThreadControllerTestFrame(){
setTitle("Thread Controller Test");
setSize(200,300);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setLayout(new BorderLayout());
main =new JPanel();
add(main,BorderLayout.CENTER);
JPanel commandPanel =new JPanel();
add(commandPanel,BorderLayout.SOUTH);
commandPanel.setLayout(new GridLayout(1,3));
startButton =new JButton("开始");
breakButton =new JButton("暂停");
stopButton =new JButton("结束");
commandPanel.add(startButton);
commandPanel.add(breakButton);
commandPanel.add(stopButton);
liver =new Thread(new Runnable(){
int x=30;
int y=50;
@Override
public void run() {
while(threadStatus!=0){ //stop()
try{
Thread.sleep(200);
}catch(InterruptedException e){
//if you call liver.interrupted();
//this will throws InterruptedException{
// System.exit(0);
//}
e.printStackTrace();
}if (threadStatus == 1){ //yeid() // wait() // nodtify() // notifyAll()
Random r=new Random();
int index =r.nextInt(colors.length-1);
Graphics g=getGraphics();
g.setColor(colors[index]);
g.drawLine(x, y, 100, y++);
if(y>80){
y=50;
}
}
}
}
});
startButton.addActionListener(new ActionListener(){
@Override
public void actionPerformed(ActionEvent e) {
liver.start();
threadStatus=1;
refrushButtonStatus();
}
});
breakButton.addActionListener(new ActionListener(){
@Override
public void actionPerformed(ActionEvent e) {
if (threadStatus == 2){
threadStatus =1;
}else{
threadStatus =2;
}
refrushButtonStatus();
}
});
stopButton.addActionListener(new ActionListener(){
@Override
public void actionPerformed(ActionEvent e) {
/**
* you can call Thread.interrupted()
* liver.interrupted();
*/
threadStatus = 0;
refrushButtonStatus();
System.exit(0);
}
});
refrushButtonStatus();
}
private void refrushButtonStatus(){
if (threadStatus==0){
startButton.setEnabled(true);
breakButton.setEnabled(false);
stopButton.setEnabled(false);
}else if(threadStatus==1){
startButton.setEnabled(false);
breakButton.setText("暂时");
breakButton.setEnabled(true);
stopButton.setEnabled(true);
}else {
startButton.setEnabled(false);
breakButton.setText("继续");
breakButton.setEnabled(true);
stopButton.setEnabled(true);
}
}
} | [
"785000418@qq.com"
] | 785000418@qq.com |
3db14d25d223a31d12e1612433b539b48fc0c42e | 423c3d267469cf081d5911e5494e7292a2298cd6 | /src/main/java/atm/DataSourceDB.java | bc90d627e2aed6b304b8241999371be53b5a4dda | [] | no_license | 6110400106/atm-spring-code-config | b83ffb9b434678bff83d066e3f0141b05eba90ee | e3d34d3f4e31c907459245adba6ca04d24ceb676 | refs/heads/master | 2022-12-10T13:20:30.742933 | 2020-09-11T16:31:14 | 2020-09-11T16:31:14 | 294,741,067 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 444 | java | package atm;
import java.util.HashMap;
import java.util.Map;
public class DataSourceDB implements DataSource {
public Map<Integer,Customer> readCustomers() {
Map<Integer,Customer> customers = new HashMap<>();
customers.put(1,new Customer(1,"Peter",1234,1000));
customers.put(2,new Customer(2,"Katherine",2345,2000));
customers.put(3,new Customer(3,"Chris",3456,3000));
return customers;
}
}
| [
"Nuttawatt.s@ku.th"
] | Nuttawatt.s@ku.th |
3f8bbbbd0b0c5e9af96159f74ac5801e1ddf7f4d | b5eb118d98b4aa931b57f6ed0bb0cb5af36bfd47 | /src/main/java/ligueBaseball/Logger.java | a65adaa02e92081cf00fd1de8bef61c11223d19d | [
"MIT"
] | permissive | felixhamel/ift287_tp4 | a782f0800600b144131bf09af7f5aadc8e1ce4b3 | 803d486e23dceea16a260e9c8021a5a41a8a17de | refs/heads/master | 2020-12-11T01:36:46.491465 | 2014-12-05T04:51:25 | 2014-12-05T04:51:25 | 33,098,691 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,515 | java | package ligueBaseball;
public class Logger
{
public enum LOG_TYPE {
USER("Utilisateur"), SYSTEM("Système"), OTHER("Autre"), EXCEPTION("Exception"), COMMENT("Commentaire"), COMMAND("Commande"), DEBUG("Debug");
private final String value;
private LOG_TYPE(final String value) {
this.value = value;
}
@Override
public String toString()
{
return value;
}
}
private static void log(String level, LOG_TYPE type, String message)
{
System.out.println(String.format("%s[%s]: %s", level, type, message));
}
private static void log(String level, LOG_TYPE type, String message, Object... args)
{
log(level, type, String.format(message, args));
}
public static void error(LOG_TYPE type, String message)
{
log("Erreur", type, message);
}
public static void error(LOG_TYPE type, String message, Object... args)
{
log("Erreur", type, message, args);
}
public static void warning(LOG_TYPE type, String message)
{
log("Attention", type, message);
}
public static void warning(LOG_TYPE type, String message, Object... args)
{
log("Attention", type, message, args);
}
public static void info(LOG_TYPE type, String message)
{
log("Info", type, message);
}
public static void info(LOG_TYPE type, String message, Object... args)
{
log("Info", type, message, args);
}
}
| [
"alex.blais.686@gmail.com"
] | alex.blais.686@gmail.com |
a32c1bcac3bb2ae4fe46d8a565ea5b62e0873d47 | 48e0c56820fc5e0f207e6fe7ca69f4e2efe9e2ac | /Kodutoo1/HeapsortStudent/src/Heap.java | 614687233377bf7ea7ab080d2ca179e38706e139 | [] | no_license | TanelMarran/tarkvaratest | 0c1e1f2f8901873503232b085f31afa72b200cf1 | d9c23ff9fa8131b4e108c232104caf37503484da | refs/heads/master | 2021-01-03T22:05:34.967767 | 2020-04-26T08:49:41 | 2020-04-26T08:49:41 | 240,253,282 | 0 | 0 | null | 2020-06-06T09:50:51 | 2020-02-13T12:18:37 | Java | UTF-8 | Java | false | false | 6,360 | java | import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
/* Maximum binary heap for positive integers
* @author Hiie-Helen Raju
*/
public class Heap {
List<Integer> valueList;
public Heap(List<Integer> originalList) {
ArrayList<Integer> heapList = new ArrayList<>(originalList);
this.valueList = heapList;
heapify();
}
/*
* turn the list to binary heap valueList by rearranging elements
*/
private void heapify(){
int lastIndex = valueList.size()-1;
int parentIndex = elemParentIndex(lastIndex);
for (int i = parentIndex; i >= 0 ; i-- ){
BubbleDown(i);
}
}
/*
* methods to calculate the indexes of the elements in the valueList and to get elements from given indexes
* @param index of the element
* @return desired index of value of desired element
*/
private int leftChildIndex(int index){
if (valueList.size() > (2*index)+1){
return (2*(index)+1);
}
else return -1;
}
private int leftChildElem(int index){
if (leftChildIndex(index) > -1){
return (valueList.get(leftChildIndex(index)));
}
else return -1;
}
private int rightChildIndex(int index){
if (valueList.size() > (2*index)+2){
return (2*(index)+2);
}
else return -1;
}
private int rightChildElem(int index){
if (rightChildIndex(index) > -1){
return valueList.get(rightChildIndex(index));
}
else return -1;
}
private int elemParent (int index){
if ( index > 0){
return valueList.get(elemParentIndex(index));
}
else return -1;
}
private int elemParentIndex(int index){
if (index > 0 ){
return (index - 1)/2;
}
else return -1;
}
/* Moves smaller elements down in the heap valueList tree, does nothing to other elements
* @param index of the current element
*/
private void BubbleDown(int index){
if (valueList.size() > index ){
int currentElem = valueList.get(index);
int leftChild = leftChildElem(index);
int rightChild = rightChildElem(index);
int leftChildIndex = leftChildIndex(index);
int rightChildIndex = rightChildIndex(index);
if (currentElem < leftChild ){
if (leftChild > rightChild){
valueList.set(index,leftChild);
valueList.set(leftChildIndex, currentElem);
BubbleDown(leftChildIndex);
}
else{
valueList.set(index, rightChild);
valueList.set(rightChildIndex, currentElem);
BubbleDown(rightChildIndex);
}
}
else {
if (rightChild > currentElem) {
valueList.set(index, rightChild);
valueList.set(rightChildIndex, currentElem);
BubbleDown(rightChildIndex);
}
}
}
else {
return;
}
}
/* Moves larger elements up in heap valueList tree, does nothing to other elements
* @param index of current element
*/
private void BubbleUp(int index){
if (valueList.size() > index && elemParentIndex(index) > -1){
int currentElem = valueList.get(index);
int parent = elemParent(index);
int parentIndex = elemParentIndex(index);
if (currentElem > parent){
valueList.set(index,parent);
valueList.set(parentIndex,currentElem);
BubbleUp(parentIndex);
}
}
}
/* Adds elements to heap valueList and moves them to correct location
* @param element to be added to the heap valueList
*/
public void addElem(int elem) {
valueList.add(elem);
BubbleUp(valueList.size()-1);
}
/* Removes and element from valueList and rearrange the rest of it to match valueList tree structure
* @param value of the element to be removed.
*/
public void removeElem(int elem) {
int lastElem = valueList.get(valueList.size()-1);
int indexOfRemoveElem = valueList.indexOf(elem);
if (indexOfRemoveElem == valueList.size()-1){
valueList.remove(valueList.size()-1);
}
else if (indexOfRemoveElem < 0){
return;
}
else{
valueList.remove(valueList.size()-1);
valueList.set(indexOfRemoveElem, lastElem);
int parentOfRemoved = elemParent(indexOfRemoveElem);
if (lastElem < parentOfRemoved){
BubbleDown(indexOfRemoveElem);
}
else if (lastElem > parentOfRemoved) {
BubbleUp(indexOfRemoveElem);
}
}
}
public void printAsList() {
System.out.println(valueList);
}
/* Prints the valueList as a sideways tree
* @param valueList of a heap; index of the current element; depth of the current runthrough of the recursion
*/
private void printHeap(List<Integer>heap, int index, int depth){
if (index < heap.size()){
printHeap(heap, 2*index+2, depth+1);
String spaces = new String(new char[depth]).replace("\0", " "); // Print 2 spaces for each depth level
System.out.println(spaces + heap.get(index));
printHeap(heap, 2*index+1, depth+1);
}
}
public void printAsTree() {
printHeap(valueList, 0, 0);
}
/* Removes the largest (root) element of the heap valueList
* @return largest element of the heap value list
*/
public int removeLargest() {
if (valueList.size() < 1) {
return -1;
}
int largestElem = valueList.get(0);
int largestIndex = 0;
int lastElem = valueList.get(valueList.size()-1);
if (valueList.size() == 1){
valueList.remove(valueList.size()-1);
return largestElem;
}
valueList.remove(valueList.size()-1);
valueList.set(largestIndex, lastElem);
BubbleDown(0);
return largestElem;
}
}
| [
"kaarel.est@gmail.com"
] | kaarel.est@gmail.com |
1d7271933da3b14c8255a0a572fe36d7a9b902a6 | 6355b0c0c228e770faed4724ad98dcd9bf407152 | /src/main/java/persistencia/ProdutoDAO.java | 1fb11b78f252bee8f20f3ab6fdb26164c1ec7fde | [] | no_license | LeandroSoares89/frameworks | da67b7899a3ab0d7c9367856114576a955642f6d | 39c9174483194739a49dba1f44c5c3b421046c92 | refs/heads/master | 2022-12-11T04:43:38.680591 | 2022-12-05T11:39:47 | 2022-12-05T11:39:47 | 65,667,094 | 0 | 0 | null | 2022-12-05T11:39:48 | 2016-08-14T13:17:14 | Java | UTF-8 | Java | false | false | 1,740 | java | package persistencia;
import java.io.Serializable;
import java.util.List;
import org.hibernate.*;
import bens.Produto;
public class ProdutoDAO implements Serializable{
private static final long serialVersionUID = 1L;
public static void inserir(Produto produto){
Session sessao = HibernateUtil.getSessionFactory().openSession();
Transaction t = sessao.beginTransaction();
sessao.save(produto);
t.commit();
sessao.close();
}
public static void alterar(Produto produto){
Session sessao = HibernateUtil.getSessionFactory().openSession();
Transaction t = sessao.beginTransaction();
sessao.update(produto);
t.commit();
sessao.close();
}
public static void excluir(Produto produto){
Session sessao = HibernateUtil.getSessionFactory().openSession();
Transaction t = sessao.beginTransaction();
sessao.delete(produto);
t.commit();
sessao.close();
}
public static List<Produto> listagem(String filtro) {
Session sessao = HibernateUtil.getSessionFactory().openSession();
Query consulta;
if(filtro.trim().length() == 0){
consulta = sessao.createQuery("from Produto order by pro_nome");
}else{
consulta = sessao.createQuery("from Produto where pro_nome like :parametro order by pro_nome");
consulta.setString("parametro" , "%" + filtro + "%" );
}
List lista = consulta.list();
sessao.close();
return lista;
}
public static Produto pesqId(int valor){
Session sessao =HibernateUtil.getSessionFactory().openSession();
Query consulta = sessao.createQuery("from Produto where pro_id = :parametro");
consulta.setInteger("parametro", valor);
sessao.close();
return (Produto) consulta.uniqueResult();
}
}
| [
"Aluno@PC-40995"
] | Aluno@PC-40995 |
2f619d130085bb395ad4998fe35e46c7508d6cfb | b84a42b6c7c6cbfe82bfb3b59670890399cd7181 | /spring-framework/src/main/java/com/lizza/spring_04_annotation/annotation_05/test/TestApp.java | 09185f81198acea5fd042b601b29693cdb77beeb | [] | no_license | lizza-glory/learning | 1572301aa488afd76a4d9c484f27db522f00913a | 935a5abf861c3a772ce59b207eb0e6acf362dc71 | refs/heads/master | 2023-04-09T14:47:15.954665 | 2020-10-20T23:42:42 | 2020-10-20T23:42:42 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,730 | java | package com.lizza.spring_04_annotation.annotation_05.test;
import com.lizza.spring_04_annotation.annotation_05.config.SpringConfig;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
/**
* Bean的生命周期
* 1. Bean的生命周期指的是一个Bean从创建 -> 初始化 -> 销毁的过程
* 2. Bean的生命周期由IoC容器来管理
* 3. 我们可以自定义Bean的创建和销毁方法
*
* Bean的创建
* 1) 单例: 容器启动时创建对象
* 2) 多例: 每次使用时创建对象
*
* Bean的初始化
* 1) 单例: 容器启动时创建对象, 对象创建完成后进行初始化
* 2) 多例: 每次使用时创建对象, 对象创建完成后进行初始化
*
* Bean的销毁
* 1) 单例: 容器销毁时销毁对象
* 2) 多例: 需要主动调用对象的销毁方法销毁
*
* 使用方法:
* 1. @Bean注解中指定初始化和销毁的方法: initMethod(), destroyMethod()
* 2. Bean实现InitializingBean, DisposableBean接口
* 在afterPropertiesSet()方法中实现初始化逻辑
* 在destroy()方法中实现销毁逻辑
* 3. 使用JSR250定义的两个注解
* @PostConstruct: 在bean创建完成并且完成属性赋值工作后, 进行调用执行初始化方法
* @PreDestroy: 在容器销毁之前通知我们进行清理工作
* 4. BeanPostProcessor接口
* postProcessBeforeInitialization() 方法: 在构造方法之后, 初始化方法之前执行
* postProcessAfterInitialization() 方法: 初始化方法之后执行
*
* BeanPostProcessor原理
*
* Spring底层对 BeanPostProcessor 的使用
* 1. 获取IoC容器
* 1) Bean实现ApplicationContextAware接口
* 2) ApplicationContextAwareProcessor类实现了BeanPostProcessor接口,
* invokeAwareInterfaces()方法中对ApplicationContext进行了赋值操作
*
*/
public class TestApp {
public static void main(String[] args){
AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(SpringConfig.class);
System.out.println("Context Created ...");
context.getBean("student");
context.close();
System.out.println("Context Closed ...");
}
/**
* 打印容器中注册的Bean
* @author: lizza1643@gmail.com
* @date: 2020/10/8 12:53 下午
* @param
* @return void
*/
private void printBeans() {
AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(SpringConfig.class);
String[] names = context.getBeanDefinitionNames();
for (String name : names) {
System.out.println("Registered Bean: " + name);
}
}
}
| [
"liutao_glory@126.com"
] | liutao_glory@126.com |
520b18b1604eccd7416b3f1649ee9f3f8d906219 | b9cb6e6089085313cc64217e75841e19fe2200a5 | /frame/src/androidTest/java/com/example/frame/ExampleInstrumentedTest.java | c16854ac99a45d8180e1b4f2f6758e0b044ade35 | [] | no_license | xb19960925/zlproject | a1fc0c24f2a554b547b4392b150405931a33d199 | bf359b147e61ab2ed19f55b0d03f860e93a49def | refs/heads/master | 2022-11-05T09:15:30.506823 | 2020-06-16T11:33:21 | 2020-06-16T11:33:21 | 268,838,136 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 744 | java | package com.example.frame;
import android.content.Context;
import android.support.test.InstrumentationRegistry;
import android.support.test.runner.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.frame.test", appContext.getPackageName());
}
}
| [
"65000369+xb19960925@users.noreply.github.com"
] | 65000369+xb19960925@users.noreply.github.com |
575ba700dc42a82a0d0d70b18d9371107e16b7e5 | 028cbe18b4e5c347f664c592cbc7f56729b74060 | /external/modules/derby/10.10.2.0/java/testing/org/apache/derbyTesting/functionTests/tests/jdbcapi/_Suite.java | dd66fa7a37ac1a73a83585128010b9d442f1a6ac | [
"Apache-2.0",
"LicenseRef-scancode-unknown-license-reference",
"BSD-3-Clause",
"LicenseRef-scancode-generic-cla",
"LicenseRef-scancode-generic-export-compliance"
] | permissive | dmatej/Glassfish-SVN-Patched | 8d355ff753b23a9a1bd9d7475fa4b2cfd3b40f9e | 269e29ba90db6d9c38271f7acd2affcacf2416f1 | refs/heads/master | 2021-05-28T12:55:06.267463 | 2014-11-11T04:21:44 | 2014-11-11T04:21:44 | 23,610,469 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 7,567 | java | /*
Derby - Class org.apache.derbyTesting.functionTests.tests.jdbcapi._Suite
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.derbyTesting.functionTests.tests.jdbcapi;
import org.apache.derbyTesting.junit.BaseTestCase;
import org.apache.derbyTesting.junit.JDBC;
import junit.framework.Test;
import junit.framework.TestSuite;
/**
* Suite to run all JUnit tests in this package:
* org.apache.derbyTesting.functionTests.tests.jdbcapi
*
*/
public class _Suite extends BaseTestCase {
/**
* Use suite method instead.
*/
private _Suite(String name) {
super(name);
}
public static Test suite() {
TestSuite suite = new TestSuite("jdbcapi");
suite.addTest(BlobSetBytesBoundaryTest.suite());
suite.addTest(ConcurrencyTest.suite());
suite.addTest(DaylightSavingTest.suite());
suite.addTest(HoldabilityTest.suite());
suite.addTest(Derby5158Test.suite());
suite.addTest(LobLengthTest.suite());
suite.addTest(ProcedureTest.suite());
suite.addTest(SURQueryMixTest.suite());
suite.addTest(SURTest.suite());
suite.addTest(UpdatableResultSetTest.suite());
suite.addTest(UpdateXXXTest.suite());
suite.addTest(URCoveringIndexTest.suite());
suite.addTest(ResultSetCloseTest.suite());
suite.addTest(BlobClob4BlobTest.suite());
suite.addTest(CharacterStreamsTest.suite());
suite.addTest(BatchUpdateTest.suite());
suite.addTest(StreamTest.suite());
suite.addTest(DboPowersTest.suite());
suite.addTest(BlobStoredProcedureTest.suite());
suite.addTest(ClobStoredProcedureTest.suite());
suite.addTest(CallableTest.suite());
suite.addTest(ResultSetMiscTest.suite());
suite.addTest(PrepStmtMetaDataTest.suite());
suite.addTest(ScrollResultSetTest.suite());
suite.addTest(LobStreamsTest.suite());
suite.addTest(ResultSetJDBC30Test.suite());
suite.addTest(DatabaseMetaDataTest.suite());
suite.addTest(ClosedObjectTest.suite());
suite.addTest(SetTransactionIsolationTest.suite());
suite.addTest(AuthenticationTest.suite());
if (!JDBC.vmSupportsJSR169()) {
// DERBY-5069 Suites.All fails with InvocationTargetException
suite.addTest(DriverTest.suite());
}
suite.addTest(SURijTest.suite());
suite.addTest(NullSQLTextTest.suite());
suite.addTest(PrepStmtNullTest.suite());
suite.addTest(StatementJdbc30Test.suite());
suite.addTest(StatementJdbc20Test.suite());
suite.addTest(ClobTest.suite());
suite.addTest(BlobUpdatableStreamTest.suite());
suite.addTest(AIjdbcTest.suite());
suite.addTest(LargeDataLocksTest.suite());
suite.addTest(DMDBugsTest.suite());
suite.addTest(DataSourceTest.suite());
suite.addTest(SavepointJdbc30Test.suite());
suite.addTest(RelativeTest.suite());
suite.addTest(metadataMultiConnTest.suite());
suite.addTest(ResultSetStreamTest.suite());
suite.addTest(InternationalConnectSimpleDSTest.suite());
suite.addTest(Derby2017LayerATest.suite());
suite.addTest(LobRsGetterTest.suite());
// Old harness .java tests that run using the HarnessJavaTest
// adapter and continue to use a single master file.
suite.addTest(JDBCHarnessJavaTest.suite());
if (JDBC.vmSupportsJDBC3())
{
// Tests that do not run under JSR169
// DERBY-2403 blocks ParameterMappingTest from running
// under JSR169
suite.addTest(ParameterMappingTest.suite());
// Class requires javax.sql.PooledConnection
// even to load, even though the suite method
// is correctly implemented.
suite.addTest(DataSourcePropertiesTest.suite());
// Tests JDBC 3.0 ability to establish a result set of
// auto-generated keys.
suite.addTest(AutoGenJDBC30Test.suite());
// Test uses DriverManager
suite.addTest(DriverMgrAuthenticationTest.suite());
// Tests uses JDBC 3.0 datasources
suite.addTest(PoolDSAuthenticationTest.suite());
suite.addTest(PoolXADSCreateShutdownDBTest.suite());
suite.addTest(XADSAuthenticationTest.suite());
suite.addTest(XATransactionTest.suite());
suite.addTest(XATest.suite());
// Test uses JDBC 3.0 datasources, and javax.naming.Reference etc.
suite.addTest(DataSourceReferenceTest.suite());
suite.addTest(DataSourceSerializationTest.suite());
// Test uses DriverManager, Pooled and XADataSources, and
// an inner class implements ConnectionEventListener.
suite.addTest(J2EEDataSourceTest.suite());
// Test requires ClientConnectionPoolDataSource.
suite.addTest(ClientConnectionPoolDataSourceTest.suite());
// Test requires ClientConnectionPoolDataSource.
suite.addTest(StatementPoolingTest.suite());
//suite to test updatable reader for clob in embedded driver
suite.addTest (ClobUpdatableReaderTest.suite());
//truncate test for clob
suite.addTest (ClobTruncateTest.suite());
//JSR169 does not support ParameterMetaData
suite.addTest(ParameterMetaDataJdbc30Test.suite());
suite.addTest(CacheSessionDataTest.suite());
// LDAPAuthentication and InvalidLDAPSrvAuth cannot run with JSR169
// implementation because of missing support for authentication
// functionality.
// Also, LDAPAuthentication needs properties passed in or is
// pointless (unless we can find a test LDAP Server)
String ldapServer=getSystemProperty("derbyTesting.ldapServer");
if (ldapServer == null || ldapServer.length() < 1)
suite.addTest(new TestSuite(
"LDAPAuthenticationTest and XAJNDITest require " +
"derbyTesting.ldap* properties."));
else
{
suite.addTest(LDAPAuthenticationTest.suite());
suite.addTest(XAJNDITest.suite());
}
suite.addTest(InvalidLDAPServerAuthenticationTest.suite());
// XA and ConnectionPool Datasource are not available with
// JSR169 so can't run InternationalConnectTest.
suite.addTest(InternationalConnectTest.suite());
// Test requires java.sql.DriverManager
suite.addTest(AutoloadTest.fullAutoloadSuite());
}
return suite;
}
}
| [
"snjezana@6f3ba3e3-413c-0410-a8aa-90bee3ab43b5"
] | snjezana@6f3ba3e3-413c-0410-a8aa-90bee3ab43b5 |
696df24dfefc4a40a6d258b5cc68e1c89d42920a | 61c27576aaafac541bd1dafbc3aac99eb87606e7 | /src/test/java/com/dawidfirlag/calculator/userinterfaces/commandLine/CalculatorTest.java | 074261b0ddc741340a7fbc492ba7ae9b64dc587e | [
"Apache-2.0"
] | permissive | dfirlag/calculator | 23f600b160eb4abac85f7fe631fbf9cfb9eb9201 | 77f057e9b643cdfe30c1d450b1982d89563114c5 | refs/heads/master | 2022-02-13T02:08:05.982511 | 2020-06-24T15:49:40 | 2020-06-24T15:49:40 | 219,338,043 | 0 | 0 | Apache-2.0 | 2022-01-21T23:41:10 | 2019-11-03T17:24:12 | JavaScript | UTF-8 | Java | false | false | 533 | java | package com.dawidfirlag.calculator.userinterfaces.commandLine;
import com.ginsberg.junit.exit.ExpectSystemExitWithStatus;
import org.junit.jupiter.api.Test;
public class CalculatorTest {
@Test
@ExpectSystemExitWithStatus(1)
public void testMainWithCorrectExit() {
String[] args = {"1 + 4", "/ 2"};
Calculator.main(args);
}
@Test
@ExpectSystemExitWithStatus(0)
public void testMainWithIncorrectExit() {
String[] args = {"1 + + 4", "/ 2"};
Calculator.main(args);
}
}
| [
"dawid.firlag@inteonmobile.com"
] | dawid.firlag@inteonmobile.com |
ec30c127fba22ed747eb8aab99b9cacb772a2e2b | 462c6815dadc83b1bd406fba29ab0c905cf4bc05 | /src/bee/generated/server/CreatePullPointResponse.java | e9f03c8c19f2bb3fc12472e5590a149f7ace78c0 | [] | no_license | francoisperron/learning-soap-onvif | ab89b38d770547c0b9ad17a45865c7b8adea5d09 | 6a0ed9167ad8c2369993da21a5d115a309f42e16 | refs/heads/master | 2020-05-14T23:53:35.084374 | 2019-04-18T02:33:17 | 2019-04-18T02:33:17 | 182,002,749 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,669 | java |
package bee.generated.server;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAnyAttribute;
import javax.xml.bind.annotation.XmlAnyElement;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlType;
import javax.xml.namespace.QName;
import javax.xml.ws.wsaddressing.W3CEndpointReference;
import org.w3c.dom.Element;
/**
* <p>Java class for anonymous complex type.
*
* <p>The following schema fragment specifies the expected content contained within this class.
*
* <pre>
* <complexType>
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <sequence>
* <element name="PullPoint" type="{http://www.w3.org/2005/08/addressing}EndpointReferenceType"/>
* <any processContents='lax' namespace='##other' maxOccurs="unbounded" minOccurs="0"/>
* </sequence>
* <anyAttribute/>
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "", propOrder = {
"pullPoint",
"any"
})
@XmlRootElement(name = "CreatePullPointResponse", namespace = "http://docs.oasis-open.org/wsn/b-2")
public class CreatePullPointResponse {
@XmlElement(name = "PullPoint", namespace = "http://docs.oasis-open.org/wsn/b-2", required = true)
protected W3CEndpointReference pullPoint;
@XmlAnyElement(lax = true)
protected List<Object> any;
@XmlAnyAttribute
private Map<QName, String> otherAttributes = new HashMap<QName, String>();
/**
* Gets the value of the pullPoint property.
*
* @return
* possible object is
* {@link W3CEndpointReference }
*
*/
public W3CEndpointReference getPullPoint() {
return pullPoint;
}
/**
* Sets the value of the pullPoint property.
*
* @param value
* allowed object is
* {@link W3CEndpointReference }
*
*/
public void setPullPoint(W3CEndpointReference value) {
this.pullPoint = value;
}
/**
* Gets the value of the any property.
*
* <p>
* This accessor method returns a reference to the live list,
* not a snapshot. Therefore any modification you make to the
* returned list will be present inside the JAXB object.
* This is why there is not a <CODE>set</CODE> method for the any property.
*
* <p>
* For example, to add a new item, do as follows:
* <pre>
* getAny().add(newItem);
* </pre>
*
*
* <p>
* Objects of the following type(s) are allowed in the list
* {@link Object }
* {@link Element }
*
*
*/
public List<Object> getAny() {
if (any == null) {
any = new ArrayList<Object>();
}
return this.any;
}
/**
* Gets a map that contains attributes that aren't bound to any typed property on this class.
*
* <p>
* the map is keyed by the name of the attribute and
* the value is the string value of the attribute.
*
* the map returned by this method is live, and you can add new attribute
* by updating the map directly. Because of this design, there's no setter.
*
*
* @return
* always non-null
*/
public Map<QName, String> getOtherAttributes() {
return otherAttributes;
}
}
| [
"fperron@gmail.com"
] | fperron@gmail.com |
698def8032ae9c5eae44258ab33d740a8516140d | 76bfea326210fe0a90531314171a9fadc7b76901 | /sonos-control-api/src/main/java/de/kalass/sonoscontrol/api/model/deviceproperties/CopyrightInfo.java | 5256f235fbb6ba2113abc275b1c0ac330152b9b5 | [] | no_license | kkalass/SonosControl | 1624454c56a9222688d5dad05714b7e16502ab43 | 2db2f9afa993ab2f1292f07d6a8707a5ae2de6f2 | refs/heads/master | 2016-09-06T19:22:01.463451 | 2012-01-15T20:37:01 | 2012-01-15T20:37:01 | 3,074,203 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,776 | java | // AUTOGENERATED: 09aad7f4ee1dc0db8fd69edac3b2ccc1
// AUTOGENERATED: Please feel free to enhance this sourcecode manually
// AUTOGENERATED: (for example by adding more structure or convenience methods), and
// AUTOGENERATED: do not forget to remove this comment, especially the very first line so your changes are not overridden
package de.kalass.sonoscontrol.api.model.deviceproperties;
import java.io.Serializable;
import com.google.common.base.Objects;
import com.google.common.base.Function;
import com.google.common.base.Preconditions;
public final class CopyrightInfo implements Serializable {
private static final long serialVersionUID = 1L;
public static final Function<CopyrightInfo, String> GET_VALUE = new Function<CopyrightInfo, String>() {
@Override
public String apply(CopyrightInfo input) {
return input == null ? null : input.getValue();
}
};
private final String _value;
private CopyrightInfo(String value) {
_value = Preconditions.checkNotNull(value);
}
public String getValue() {
return _value;
}
public String toString() {
return Objects.toStringHelper(this).add("value", _value).toString();
}
public int hashCode() {
return Objects.hashCode(_value);
}
public boolean equals(Object other) {
if (other instanceof CopyrightInfo) {
CopyrightInfo obj = (CopyrightInfo)other;
return Objects.equal(_value, obj._value);
}
return false;
}
public static CopyrightInfo getInstance(String value) {
if (value != null && "NOT_IMPLEMENTED".equals(value)) {
return null;
}
return value == null ? null : new CopyrightInfo(value);
}
}
| [
"klas.kalass@freiheit.com"
] | klas.kalass@freiheit.com |
2098fbf348842982f10b56a746c78408c837cebe | bdb5d205d56ef9e0f523be1c3fd683400f7057a5 | /app/src/main/java/com/tgf/kcwc/mvp/model/CouponEventModel.java | 0cb5dbcf400d6e8cfecd8fc250cab9de0c8e650d | [] | no_license | yangyusong1121/Android-car | f8fbd83b8efeb2f0e171048103f2298d96798f9e | d6215e7a59f61bd7f15720c8e46423045f41c083 | refs/heads/master | 2020-03-11T17:25:07.154083 | 2018-04-19T02:18:15 | 2018-04-19T02:20:19 | 130,146,301 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 566 | java | package com.tgf.kcwc.mvp.model;
import com.fasterxml.jackson.annotation.JsonIgnoreProperties;
import com.fasterxml.jackson.annotation.JsonProperty;
/**
* Auther: Scott
* Date: 2017/2/15 0015
* E-mail:hekescott@qq.com
*/
@JsonIgnoreProperties(ignoreUnknown = true)
public class CouponEventModel {
@JsonProperty("id")
public int id;
@JsonProperty("title")
public String title;
@JsonProperty("cover")
public String cover;
@JsonProperty("inventory")
public int inventory;
@JsonProperty("get_limit")
public int limitNums;
}
| [
"328797668@qq.com"
] | 328797668@qq.com |
7f8e2787cd96607412c59d3f951320dec2a7c0c9 | 14a14208af7f62066b90e6c2d9e7e7088a671d80 | /LapakBeli Mobil/app/src/main/java/com/example/tugas6_keterampilan/ListMobilAdapter.java | 57d00743256b0e7f92c7c361ec0226731edaa9a1 | [] | no_license | Nvdta26/LapakBeliMobil | 9032dfed2df9a0037a4c652346ceb6b4aefccfc7 | 558e5803abebf620a2c7293bc483f103d2cbef87 | refs/heads/master | 2020-07-23T09:18:24.429314 | 2019-09-10T08:48:17 | 2019-09-10T08:48:17 | 207,511,195 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,235 | java | package com.example.tugas6_keterampilan;
import android.content.Intent;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.Button;
import android.widget.ImageView;
import android.widget.TextView;
import androidx.annotation.NonNull;
import androidx.recyclerview.widget.RecyclerView;
import com.bumptech.glide.Glide;
import com.bumptech.glide.request.RequestOptions;
import java.util.ArrayList;
abstract class ListMobilAdapter extends RecyclerView.Adapter<ListMobilAdapter.ListViewHolder>{
private ArrayList<DataMobil> listMobil;
private DataMobil dataMobil;
public ListMobilAdapter(ArrayList<DataMobil> list) {
this.listMobil = list; }
@NonNull
@Override
public ListViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) {
View view = LayoutInflater.from(parent.getContext()).inflate(R.layout.list_mobil, parent, false);
return new ListViewHolder(view);
}
@Override
public void onBindViewHolder(@NonNull final ListViewHolder holder, int position) {
final DataMobil dataLaptop =listMobil.get(position);
Glide.with(holder.itemView.getContext()).load(dataLaptop.getFoto())
.apply(new RequestOptions())
.into(holder.fotomobil);
holder.namamobil.setText(dataLaptop.getNama());
holder.tambahButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent intent = new Intent(holder.itemView.getContext(), Pembelian.class);
holder.itemView.getContext().startActivity(intent);
}
});
}
@Override
public int getItemCount() {
return listMobil.size(); }
public class ListViewHolder extends RecyclerView.ViewHolder {
ImageView fotomobil;
TextView namamobil;
Button tambahButton;
public ListViewHolder(@NonNull View itemView) {
super(itemView);
fotomobil = itemView.findViewById(R.id.foto_mobil);
namamobil = itemView.findViewById(R.id.nama_mobil);
tambahButton = itemView.findViewById(R.id.tambah); }
}
} | [
"42690529+Nvdta26@users.noreply.github.com"
] | 42690529+Nvdta26@users.noreply.github.com |
28285a79e55e6ae8432c217fa66acafe314dae1d | dd23f3a4a39f109d749d9b08b377bac2faf12926 | /src/main/java/com/semsari/dao/CustomerDaoImp.java | c00e542a53a70f6e32adfb6030a6d8db81f49268 | [] | no_license | inamvar/kalatag | 04fd17290d4f0c7a8d4b427b7a43a7b22403161b | 8e2661608c7bc794c78510b28aae49eff5c78701 | refs/heads/master | 2021-01-10T21:17:10.753200 | 2015-03-29T13:02:07 | 2015-03-29T13:02:07 | 32,688,633 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,958 | java | package com.semsari.dao;
import java.util.ArrayList;
import java.util.List;
import com.semsari.domain.ItemStatus;
import org.hibernate.Query;
import org.hibernate.SessionFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Repository;
import com.semsari.domain.Customer;
@Repository
public class CustomerDaoImp extends GenericDaoImp<Customer> implements CustomerDao{
@Autowired
private SessionFactory sessionFactory;
@SuppressWarnings("unchecked")
@Override
public Customer findByUserName(String username) {
List<Customer> customers = new ArrayList<Customer>();
customers = sessionFactory.getCurrentSession()
.createQuery("from Customer where username=?")
.setParameter(0, username)
.list();
if (customers.size() > 0) {
return (Customer) customers.get(0);
} else {
return null;
}
}
@Override
public Customer edit(Customer customer) {
int result = -1;
String q = "update Customer C set C.firstName = :firstName , C.lastName = :lastName " +
" where C.id = :id ";
Query query = sessionFactory.getCurrentSession().createQuery(q);
query.setParameter("id",customer.getId());
query.setParameter("firstName",customer.getFirstName());
query.setParameter("lastName", customer.getLastName());
query.executeUpdate();
q= "update Contact C set C.phone = :phone , C.mobile = :mobile , " +
" C.address = :address where C.id = :id ";
query = sessionFactory.getCurrentSession().createQuery(q);
query.setParameter("id",customer.getContact().getId());
query.setParameter("phone",customer.getContact().getPhone());
query.setParameter("mobile",customer.getContact().getMobile());
query.setParameter("address",customer.getContact().getAddress());
result = query.executeUpdate();
return customer;
}
}
| [
"iman.namvar@gmail.com"
] | iman.namvar@gmail.com |
d9c5d638376110908063a95a79284f0ea4db6b0f | 879a1a1c39eaa31399e13fedf56384477e877f32 | /gradle-core-3.1.0.jar_dir/gradle-core-3.1.0/52bded9389c25f568914b1ebf31a5d18/com/android/build/gradle/internal/tasks/CheckProguardFiles.java | 75c48a63784febd64fc330b5b3b5733a86359cb6 | [
"Apache-2.0"
] | permissive | ytempest/gradle-source-3.2.1 | dcf330e7be877fa6106b532cc8a29a93c41fb8a8 | 2957cc9a46826f8f72851c7e1c88caffc677df7c | refs/heads/master | 2023-03-27T03:57:27.198502 | 2021-03-09T03:55:50 | 2021-03-09T03:55:50 | 345,876,508 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,172 | java | /* */ package com.android.build.gradle.internal.tasks;
/* */
/* */ import com.android.build.gradle.ProguardFiles;
/* */ import com.android.build.gradle.ProguardFiles.ProguardFile;
/* */ import com.android.build.gradle.internal.scope.TaskConfigAction;
/* */ import com.android.build.gradle.internal.scope.VariantScope;
/* */ import com.android.build.gradle.shrinker.ProguardConfig;
/* */ import com.android.build.gradle.shrinker.parser.ProguardFlags;
/* */ import com.android.build.gradle.shrinker.parser.UnsupportedFlagsHandler;
/* */ import java.io.File;
/* */ import java.util.HashMap;
/* */ import java.util.List;
/* */ import java.util.Map;
/* */ import org.gradle.api.DefaultTask;
/* */ import org.gradle.api.InvalidUserDataException;
/* */ import org.gradle.api.tasks.InputFiles;
/* */ import org.gradle.api.tasks.TaskAction;
/* */ import org.slf4j.Logger;
/* */ import org.slf4j.LoggerFactory;
/* */
/* */ public class CheckProguardFiles
/* */ extends DefaultTask
/* */ {
/* 39 */ private static final Logger logger = LoggerFactory.getLogger(CheckProguardFiles.class);
/* */
/* */ private List<File> proguardFiles;
/* */
/* */ @TaskAction
/* */ public void run()
/* */ {
/* 48 */ ProguardConfig proguardConfig = new ProguardConfig();
/* */
/* 50 */ Map<File, ProguardFiles.ProguardFile> oldFiles = new HashMap();
/* 51 */ oldFiles.put(
/* 52 */ ProguardFiles.getDefaultProguardFile(OPTIMIZEfileName, getProject())
/* 53 */ .getAbsoluteFile(), ProguardFiles.ProguardFile.OPTIMIZE);
/* */
/* 55 */ oldFiles.put(
/* 56 */ ProguardFiles.getDefaultProguardFile(DONT_OPTIMIZEfileName,
/* 57 */ getProject())
/* 58 */ .getAbsoluteFile(), ProguardFiles.ProguardFile.DONT_OPTIMIZE);
/* */
/* 61 */ for (File file : proguardFiles) {
/* 62 */ if (oldFiles.containsKey(file.getAbsoluteFile())) {
/* 63 */ String name = getgetAbsoluteFilefileName;
/* 64 */ throw new InvalidUserDataException(name + " should not be used together with the new postprocessing DSL. The new DSL includes sensible settings by default, you can override this using `postprocessing { proguardFiles = []}`");
/* */ }
/* */
/* */ try
/* */ {
/* 72 */ proguardConfig.parse(file, UnsupportedFlagsHandler.NO_OP);
/* */ }
/* */ catch (Exception e) {
/* 75 */ logger.info("Failed to parse " + file.getAbsolutePath(), e); }
/* 76 */ continue;
/* */
/* 79 */ ProguardFlags flags = proguardConfig.getFlags();
/* 80 */ if ((flags.isDontShrink()) || (flags.isDontOptimize()) || (flags.isDontObfuscate()))
/* */ {
/* 82 */ throw new InvalidUserDataException(file.getAbsolutePath() + ": When postprocessing features are configured in the DSL, corresponding flags (e.g. -dontobfuscate) cannot be used.");
/* */ }
/* */ }
/* */ }
/* */
/* */ @InputFiles
/* */ public List<File> getProguardFiles()
/* */ {
/* 91 */ return proguardFiles;
/* */ }
/* */
/* */ public static class ConfigAction implements TaskConfigAction<CheckProguardFiles> {
/* */ private final VariantScope scope;
/* */
/* */ public ConfigAction(VariantScope scope) {
/* 98 */ this.scope = scope;
/* */ }
/* */
/* */ public String getName()
/* */ {
/* 104 */ return scope.getTaskName("check", "ProguardFiles");
/* */ }
/* */
/* */ public Class<CheckProguardFiles> getType()
/* */ {
/* 110 */ return CheckProguardFiles.class;
/* */ }
/* */
/* */ public void execute(CheckProguardFiles task)
/* */ {
/* 115 */ proguardFiles = scope.getProguardFiles();
/* */ }
/* */ }
/* */ }
/* Location:
* Qualified Name: com.android.build.gradle.internal.tasks.CheckProguardFiles
* Java Class Version: 8 (52.0)
* JD-Core Version: 0.7.1
*/ | [
"787491096@qq.com"
] | 787491096@qq.com |
9138d08faef3f304e31bd07ffc389b3852d80433 | 00977dc1464134fa5c60c010af1c1a0a4d40a25d | /4.MultiColorTriangle/app/src/main/java/com/astromedicomp/multicolortriangle/GLESMacros.java | d9582c320f9a603ebcd862c3581e5af8fe76ef73 | [] | no_license | zodgevaibhav/OpenGL-ProgrammablePipeLine-Android | f50af2053c5ce8592e142730d99e55857296ce7f | 9a6cf58ebc637a11fb79713e598744c4392cfed1 | refs/heads/master | 2021-09-17T11:28:54.371418 | 2018-07-01T16:17:22 | 2018-07-01T16:17:22 | 116,151,135 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 259 | java | package com.astromedicomp.multicolortriangle;
public class GLESMacros
{
public static final int VVZ_ATTRIB_VERTEX=0;
public static final int VVZ_ATTRIB_COLOR=1;
public static final int VVZ_ATTRIB_NORMAL=2;
public static final int VVZ_ATTRIB_TEXTURE=3;
}
| [
"zodgevaibhav@gmail.com"
] | zodgevaibhav@gmail.com |
b1e7f6fb5aa7d021e2ffad69aa8036b55f043587 | 33cb64fea801fde2ac61d9b040bb86eed0f5f2c0 | /daxia-java2ios/src/main/java/com/daxia/wy/common/RepairStatus.java | 4aa80004d1bf29573ed591d81e881ee202a95995 | [] | no_license | jklmnlkevin/myworld | cdaab9db513c231d34f3f0ca40016ff417f6b949 | 4bc484131193104df8b1b7daea7bf477c96d2336 | refs/heads/master | 2020-03-30T21:04:23.642172 | 2014-11-20T00:35:56 | 2014-11-20T00:35:56 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 947 | java | package com.daxia.wy.common;
/**
* 这是用维修基金的
*/
public enum RepairStatus {
Apply(0, "申请"),
Statistics(1, "统计中"),
Reported(2, "上报当地维修基金委员会"),
Accepted(3, "维修基金已通过审批"),
Refused(4, "维修申请退回"),
AllocatingMoney(5, "维修款下拨中"),
MoneyReady(6, "维修款已到账,准备维修");
private int value;
private String remark;
private RepairStatus(int value, String remark) {
this.value = value;
this.remark = remark;
}
public int getValue() {
return value;
}
public String getRemark() {
return remark;
}
public RepairStatus getByValue(int value) {
for (RepairStatus o : RepairStatus.values()) {
if (o.getValue() == value) {
return o;
}
}
return null;
}
} | [
"zhukewen_java@126.com"
] | zhukewen_java@126.com |
a8fd25815092466a91190d057838a5a478ea2d3a | 34ffbe2acfebcc44881347a22d99a41a5369ecee | /design/src/test/java/testproxy/UserService.java | 03d58a847ae3f1acdb60af16eb9587ddf3f6cfef | [] | no_license | OrmFor/learn | d61a4712711f8161e572e80ae1a309eab0f13d31 | 02bacbcb7b8ff82114eec891573462939df80583 | refs/heads/master | 2023-03-04T17:52:42.960766 | 2022-10-05T13:32:47 | 2022-10-05T13:32:47 | 180,948,821 | 1 | 0 | null | 2023-02-22T07:25:03 | 2019-04-12T06:55:33 | Java | UTF-8 | Java | false | false | 123 | java | package testproxy;
public interface UserService {
boolean saveUser(User user);
Boolean updateUser(User user);
}
| [
"1449213506@qq.com"
] | 1449213506@qq.com |
c4eefb52790b1147945766c6d7268d09b72a0c8b | 9e381afc50a1355f3dbc2dc74b8d7864b252cd8f | /netflix-zuul-api-gateway-server/src/test/java/com/hari/NetflixZuulApiGatewayServerApplicationTests.java | feebb30776431d3ce2c2283bc3accf804ecfb134 | [
"Apache-2.0"
] | permissive | NarahariP/spring_cloud_microservices | a560b6b9d407de723e67a43bbf79d4d281daa6c4 | dcdbbdfabb37d046755ae0c6c7a667ce15726be7 | refs/heads/master | 2020-12-12T02:15:28.329806 | 2020-01-20T16:17:20 | 2020-01-20T16:17:20 | 234,018,715 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 221 | java | package com.hari;
import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;
@SpringBootTest
class NetflixZuulApiGatewayServerApplicationTests {
@Test
void contextLoads() {
}
}
| [
"Narahari@192.168.0.6"
] | Narahari@192.168.0.6 |
fe6563d17a3550f2afccf64f39a966d34b663b49 | 0446816eeb0f6bbcab9056fed0dadefcdfd000a2 | /imagepickerlib/src/main/java/me/iz/mobility/imagepickerlib/utils/BitmapHelper.java | 1f29f72e04cc9af82f88557f45f00928b7ea192e | [] | no_license | izBasit/imagepickerlib | 99c3ab57297780894cc0555bd769cf7b4f9d4d9e | 572bab8295efa86be3c416fd770c08d3bdc64636 | refs/heads/master | 2020-06-29T02:47:11.976373 | 2016-11-22T09:17:04 | 2016-11-22T09:17:04 | 74,455,252 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 5,350 | java | /*
* Copyright 2015 Basit Parkar.
*
* 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.
*
* @date 2/25/15 10:26 AM
* @modified 2/25/15 10:26 AM
*/
package me.iz.mobility.imagepickerlib.utils;
import android.content.Context;
import android.content.Intent;
import android.content.res.AssetFileDescriptor;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.graphics.Matrix;
import android.net.Uri;
import android.os.Environment;
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.IOException;
/**
* A helper class to conveniently alter Bitmap data
*/
public class BitmapHelper {
/**
* Converts a Bitmap to a byteArray.
*
* @param bitmap
* @return byteArray
*/
public static byte[] bitmapToByteArray(Bitmap bitmap) {
ByteArrayOutputStream stream = new ByteArrayOutputStream();
bitmap.compress(Bitmap.CompressFormat.PNG, 100, stream);
return stream.toByteArray();
}
/**
* Converts a byteArray to a Bitmap object
*
* @param byteArray
* @return Bitmap
*/
public static Bitmap byteArrayToBitmap(byte[] byteArray) {
if (byteArray == null) {
return null;
} else {
return BitmapFactory.decodeByteArray(byteArray, 0, byteArray.length);
}
}
/**
* Shrinks and a passed Bitmap.
*
* @param bm
* @param maxLengthOfEdge
* @return Bitmap
*/
public static Bitmap shrinkBitmap(Bitmap bm, int maxLengthOfEdge) {
return shrinkBitmap(bm, maxLengthOfEdge, 0);
}
/**
* Shrinks and rotates (if necessary) a passed Bitmap.
*
* @param bm
* @param maxLengthOfEdge
* @param rotateXDegree
* @return Bitmap
*/
public static Bitmap shrinkBitmap(Bitmap bm, int maxLengthOfEdge, int rotateXDegree) {
if (maxLengthOfEdge > bm.getWidth() && maxLengthOfEdge > bm.getHeight()) {
return bm;
} else {
// shrink image
float scale = (float) 1.0;
if (bm.getHeight() > bm.getWidth()) {
scale = ((float) maxLengthOfEdge) / bm.getHeight();
} else {
scale = ((float) maxLengthOfEdge) / bm.getWidth();
}
// CREATE A MATRIX FOR THE MANIPULATION
Matrix matrix = new Matrix();
// RESIZE THE BIT MAP
matrix.postScale(scale, scale);
matrix.postRotate(rotateXDegree);
// RECREATE THE NEW BITMAP
bm = Bitmap.createBitmap(bm, 0, 0, bm.getWidth(), bm.getHeight(),
matrix, false);
matrix = null;
System.gc();
return bm;
}
}
/**
* Reads a Bitmap from an Uri.
*
* @param context
* @param selectedImage
* @return Bitmap
*/
public static Bitmap readBitmap(Context context, Uri selectedImage) {
Bitmap bm = null;
BitmapFactory.Options options = new BitmapFactory.Options();
options.inPreferredConfig = Bitmap.Config.RGB_565;
options.inScaled = false;
// options.inSampleSize = 3;
AssetFileDescriptor fileDescriptor = null;
try {
fileDescriptor = context.getContentResolver().openAssetFileDescriptor(selectedImage, "r");
} catch (FileNotFoundException e) {
return null;
} finally {
try {
bm = BitmapFactory.decodeFileDescriptor(
fileDescriptor != null ? fileDescriptor.getFileDescriptor() : null, null, options);
if (fileDescriptor != null) {
fileDescriptor.close();
}
} catch (IOException e) {
return null;
}
}
return bm;
}
/**
* Clears all Bitmap data, that is, recycles the Bitmap and
* triggers the garbage collection.
*
* @param bm
*/
public static void clearBitmap(Bitmap bm) {
bm.recycle();
System.gc();
}
/**
* Deletes an image given its Uri.
*
* @param cameraPicUri
* @param context
* @return true if it was deleted successfully, false otherwise.
*/
public static boolean deleteImageWithUriIfExists(Uri cameraPicUri, Context context) {
if (cameraPicUri != null) {
File fdelete = new File(cameraPicUri.getPath());
if (fdelete.exists()) {
if (fdelete.delete()) {
context.sendBroadcast(new Intent(Intent.ACTION_MEDIA_MOUNTED,
Uri.parse("file://" + Environment.getExternalStorageDirectory())));
return true;
}
}
}
return false;
}
} | [
"parkarbasit3009@gmail.com"
] | parkarbasit3009@gmail.com |
a0f73d11ae0928a87081fdaac2acae9beb636f25 | fef5d2fad04a386e3c0ef54eb70220cd6cccbd07 | /src/main/java/pl/mlopatka/parser/ParsingDetails.java | 72b472ee03a769f8dcc51e730b740b3c2d0d8ce0 | [] | no_license | mlopatka92/parsing-json | 518dfb27f4bfdaf57185db909e09edddceeb4c16 | 85da3ac02973aef424122059f596e9bbb68c879d | refs/heads/master | 2023-01-02T07:04:53.161348 | 2020-11-02T05:48:58 | 2020-11-02T05:48:58 | 309,230,040 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,207 | java | package pl.mlopatka.parser;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
public class ParsingDetails {
private String detailsPath;
private Map<String, String> mapping;
private Map<String, String> postActions;
private Map<String, List<String>> filters;
public ParsingDetails(String detailsPath, Map<String, String> mapping, Map<String, String> postActions) {
this.detailsPath = detailsPath;
this.mapping = mapping;
this.postActions = postActions;
this.filters = new HashMap<>();
}
public ParsingDetails(String detailsPath, Map<String, String> mapping, Map<String, String> postActions,
Map<String, List<String>> filters) {
this.detailsPath = detailsPath;
this.mapping = mapping;
this.postActions = postActions;
this.filters = filters;
}
public String getDetailsPath() {
return detailsPath;
}
public Map<String, String> getMapping() {
return mapping;
}
public Map<String, String> getPostActions() {
return postActions;
}
public Map<String, List<String>> getFilters() {
return filters;
}
}
| [
"mlopatka.krk@gmail.com"
] | mlopatka.krk@gmail.com |
882ba82c6b9be79d9e1cea972fcbaca46eaf5d2c | e48bbaf1bd1089f256a4832d4e45f45ef87bd585 | /p2psys-core/src/main/java/com/rongdu/p2psys/tpp/chinapnr/model/ChinapnrReconciliation.java | ef6ecc44063884ef58366a124aa21da207152075 | [] | no_license | rebider/pro_bank | 330d5d53913424d8629622f045fc9b26ad893591 | 37799f63d63e8a2df1f63191a92baf5b01e88a3f | refs/heads/master | 2021-06-17T21:15:58.363591 | 2017-05-25T09:45:38 | 2017-05-25T09:45:38 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,126 | java | package com.rongdu.p2psys.tpp.chinapnr.model;
import java.io.UnsupportedEncodingException;
/**
* 放还款对账(投标对账)
*
* @author yinliang
* @version 2.0
* @Date 2015年1月17日
*/
public class ChinapnrReconciliation extends ChinapnrModel {
private String beginDate;
private String endDate;
private String pageNum;
private String pageSize;
private String queryTransType; // 交易查询类型,REPAYMENT
public ChinapnrReconciliation(String beginDate, String endDate,
String pageNum, String pageSize, String queryTransType) {
super();
this.setCmdId("Reconciliation");
this.setBeginDate(beginDate);
this.setEndDate(endDate);
this.setPageNum(pageNum);
this.setPageSize(pageSize);
this.setQueryTransType(queryTransType);
}
private String[] paramNames = new String[] { "version", "cmdId",
"merCustId", "beginDate", "endDate", "pageNum", "pageSize",
"queryTransType", "chkValue" };
public StringBuffer getMerData() throws UnsupportedEncodingException {
StringBuffer MerData = super.getMerData();
MerData.append(getBeginDate()).append(getEndDate())
.append(getPageNum()).append(getPageSize())
.append(getQueryTransType());
return MerData;
}
public String[] getParamNames() {
return paramNames;
}
public void setParamNames(String[] paramNames) {
this.paramNames = paramNames;
}
public String getBeginDate() {
return beginDate;
}
public void setBeginDate(String beginDate) {
this.beginDate = beginDate;
}
public String getEndDate() {
return endDate;
}
public void setEndDate(String endDate) {
this.endDate = endDate;
}
public String getPageNum() {
return pageNum;
}
public void setPageNum(String pageNum) {
this.pageNum = pageNum;
}
public String getPageSize() {
return pageSize;
}
public void setPageSize(String pageSize) {
this.pageSize = pageSize;
}
public String getQueryTransType() {
return queryTransType;
}
public void setQueryTransType(String queryTransType) {
this.queryTransType = queryTransType;
}
}
| [
"jinxlovejinx@vip.qq.com"
] | jinxlovejinx@vip.qq.com |
7a79e2ceb7ec443c5cce6b25c4980ee97edb4a58 | b4c47b649e6e8b5fc48eed12fbfebeead32abc08 | /android/util/ContainerHelpers.java | c7ddd32764931c8c3f0e991acb43d10864178613 | [] | no_license | neetavarkala/miui_framework_clover | 300a2b435330b928ac96714ca9efab507ef01533 | 2670fd5d0ddb62f5e537f3e89648d86d946bd6bc | refs/heads/master | 2022-01-16T09:24:02.202222 | 2018-09-01T13:39:50 | 2018-09-01T13:39:50 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,162 | java | // Decompiled by Jad v1.5.8g. Copyright 2001 Pavel Kouznetsov.
// Jad home page: http://www.kpdus.com/jad.html
// Decompiler options: packimports(3)
package android.util;
class ContainerHelpers
{
ContainerHelpers()
{
}
static int binarySearch(int ai[], int i, int j)
{
boolean flag = false;
int l = i - 1;
for(i = ((flag) ? 1 : 0); i <= l;)
{
int k = i + l >>> 1;
int i1 = ai[k];
if(i1 < j)
i = k + 1;
else
if(i1 > j)
l = k - 1;
else
return k;
}
return i;
}
static int binarySearch(long al[], int i, long l)
{
boolean flag = false;
int k = i - 1;
i = ((flag) ? 1 : 0);
for(int j = k; i <= j;)
{
int i1 = i + j >>> 1;
long l1 = al[i1];
if(l1 < l)
i = i1 + 1;
else
if(l1 > l)
j = i1 - 1;
else
return i1;
}
return i;
}
}
| [
"hosigumayuugi@gmail.com"
] | hosigumayuugi@gmail.com |
0cb692fa8443d0e0030669ec6084b1ba44d71bc4 | d1b42817c8b19d3862b0f285482fd392b168f361 | /src/main/java/com/nikos/controllers/VersionController.java | 4713fed938d8d0803e8a982cd9b70bdbb757a2c9 | [] | no_license | major23/Spring-Boot-Test | cf66eed0bc54c6ac05f396a87951e1ec9c329621 | eff1287a0e56bd16d7a522040bec308af60af2b7 | refs/heads/master | 2021-05-06T08:40:09.574879 | 2018-05-18T12:34:43 | 2018-05-18T12:34:43 | 113,993,411 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 842 | java | package com.nikos.controllers;
import java.nio.file.Files;
import java.nio.file.Paths;
import javax.servlet.ServletContext;
import org.springframework.http.MediaType;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RestController;
@RestController
public class VersionController {
private final ServletContext servletContext;
public VersionController(ServletContext servletContext) {
this.servletContext = servletContext;
}
@RequestMapping(value = "/version", method = RequestMethod.GET, produces = MediaType.TEXT_PLAIN_VALUE)
public String version() throws Exception {
return new String(Files.readAllBytes(Paths.get(servletContext.getResource("/version").toURI())));
}
}
| [
"nikos.alexiou@upstreamsystems.com"
] | nikos.alexiou@upstreamsystems.com |
6e0b9806e290b7683eb347b92bb00359a201c06a | b4cb6d00fded016c2c3d9e0e3407481a4cdf9b52 | /webSocketServer/src/main/java/com/example/webSocketServer/WebSocketServerApplication.java | bf35d56a3c47db6280eacbbdf5460eb5e253dd85 | [] | no_license | myahal/websocket-test | 74710b4b3331e8776dbb712ac9bd3322da3bc18b | 574ea3405b9b4e9e34211753916479d0eab44961 | refs/heads/main | 2023-08-17T05:44:13.494429 | 2021-09-26T14:04:41 | 2021-09-26T14:04:41 | 410,438,062 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 338 | java | package com.example.webSocketServer;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class WebSocketServerApplication {
public static void main(String[] args) {
SpringApplication.run(WebSocketServerApplication.class, args);
}
}
| [
"miya.chiharu@gmail.com"
] | miya.chiharu@gmail.com |
0c469ab9fb08ac1008f79a9d822c4a1b93456482 | 73946d9899c3b5405d6f3e58ce655bb34ca05084 | /List Generic/src/mylistpackage/ArrayListSorted.java | 44a5a45201b95657731cf5712bf82766e75bfa68 | [] | no_license | sam2b/DataStructures | db4494345bf75ee440e7af5c4d94d139f8cf11d0 | 77dc08bc0a57a0a267a04a1d99f2ce0b7d4a0f45 | refs/heads/master | 2022-03-28T17:19:32.093670 | 2020-01-15T18:35:18 | 2020-01-15T18:35:18 | 213,824,423 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 7,686 | java | /*
* TCSS342 Data Structures - Spring 2017 - Professor Monika Sobolewska
* Author: Sam Brendel
* Assignment: pr1
*/
package mylistpackage;
/**
* The ArrayList data structure containing a sorted list of data in ascending order. Each
* elemental data must be a Comparable type
* @author Sam Brendel
* @param <E> the Comparable data type.
* @see mylistpackage.AbstractLinkedMyList
* @version 4.16C
*/
public class ArrayListSorted<E extends Comparable<? super E>> extends AbstractArrayMyList<E> {
/**
* Constructor parameterless, which has a default capacity.
*/
public ArrayListSorted() {
this(DEFAULT_CAPACITY);
}
/**
* Constructor that sets the specified size of the list.
* @param theSize the initial size of the list.
*/
@SuppressWarnings("unchecked")
public ArrayListSorted(final int theSize) {
super(theSize);
myElementData = (E[]) new Comparable[theSize];
}
/**
* Rids the list of all nodes, resulting in a size of zero elements.
* @see mylistpackage.AbstractLinkedMyList#clear()
*/
@SuppressWarnings("unchecked")
public void clear() {
myElementData = (E[]) new Comparable[DEFAULT_CAPACITY];
myLastElement = -1;
}
/**
* Determines if the list contains at least one element of the value.
* @return true if the value exists at least once in the list.
* @see mylistpackage.AbstractLinkedMyList#contains(Object)
*/
public boolean contains(final E theValue) {
if (!isEmpty()) { // We cannot search an empty list.
//final int index = Arrays.binarySearch(myElementData, 0, myLastElement + 1, theValue);
final int index = binarySearch(theValue);
return isFound(index);
}
return false;
}
/**
* Returns the index of value.
* @param theValue the data in this element.
* @return the index of value if in the list, -1 otherwise.
* @see mylistpackage.AbstractLinkedMyList#getIndex(Object)
*/
public int getIndex(final E theValue) {
int index = -1;
if (!isEmpty()) {
//index = Arrays.binarySearch(myElementData, 0, myLastElement + 1, theValue);
index = binarySearch(theValue);
index = (index < 0) ? -1 : index; // I explicitly want -1 and no other.
}
return index;
}
/**
* Inserts the a new element with the value into the list.
* @param theValue the value the value to insert into the list.
* @see mylistpackage.AbstractLinkedMyList#insert(Object)
*/
@Override
public void insert(final E theValue) {
super.insert(theValue);
int index;
if (isEmpty()) {
myElementData[0] = theValue;
myLastElement++;
} else {
index = binarySearch(theValue);
myLastElement++; // Increment here to anticipate the incoming
/* Restore to the positive index value for preparation to insert at this
* particular index.
*/
if (index < 0) {
index *= -1;
}
/* Determines if theValue should be inserted either before the value
* of an element already present at index.
*/
if(index > 0 && theValue.compareTo(myElementData[index-1]) < 0) {
index--;
}
shiftIt(myElementData, index, theValue);
}
}
/**
* Determines if the index is found in this list, if {@code >=} 0.
* @param index the index to inspect.
* @return true if found.
*/
private boolean isFound(final int index) {
return index >= 0;
// return index != -(index) - 1;
}
/**
* Removes an element from the list. If there is more than one element that contains the
* value, there is no guarantee which particular one will be removed.
* @param value the value to remove.
* @see mylistpackage.AbstractLinkedMyList#remove(Object)
*/
public void remove(final E value) {
if (!isEmpty()) {
final int index = this.getIndex(value);
if (myLastElement >= 0 && index >= 0) {
this.removeAtIndex(index);
}
}
}
/**
* Removes value at the given index, shifting subsequent values up.
* @param theIndex {@code <=} size and index {@code >=} 0
* @throws IndexOutOfBoundsException if index {@code <} 0 or index {@code >}size
* @see mylistpackage.AbstractLinkedMyList#removeAtIndex(int)
*/
@Override
public void removeAtIndex(final int theIndex) {
super.removeAtIndex(theIndex);
// Shift elements.
for (int i = theIndex; i < myLastElement; i++) {
myElementData[i] = myElementData[i + 1];
}
myElementData[myLastElement--] = null;
}
/**
* Replaces the value at the given index with the given value.
* @param theIndex the index where the element lives, and must be {@code <=} size and index {@code >=} 0.
* @param theValue the value the value to replace within the element at the specified index.
* @throws IndexOutOfBoundsException if index {@code <} 0 or index {@code >}size
* @see mylistpackage.AbstractLinkedMyList#set(int, Object)
*/
@Override
public void set(final int theIndex, final E theValue) {
super.set(theIndex, theValue);
final int lower = 1;
int upper = 1;
if (theIndex == 0) {
// It is legal to set(0, "bbb") in a list that only has a single
// element of "aaa".
/*
* if(getSize() == 1) { myElementData[theIndex] = theValue;
*
* } else
*/ if (getSize() > 1 && myElementData[theIndex + 1].compareTo(theValue) < 0) {
throw new IllegalArgumentException("Wrong location to insert this element at index " + theIndex);
} else {
myElementData[theIndex] = theValue;
}
} else { // getSize() > 1 && theIndex > 0
// Make sure a null element is not compared. Example: if the list
// only has a single element.
if (myElementData[theIndex + 1] == null) {
upper = 0;
}
// theValue must be in between elements to keep natural order.
// Example is [1, 99, 2] where theValue = 99.
if (myElementData[theIndex - lower].compareTo(theValue) > 0
|| myElementData[theIndex + upper].compareTo(theValue) < 0) {
throw new IllegalArgumentException("Wrong location to insert this element at index " + theIndex);
} else {
myElementData[theIndex] = theValue;
// else theValue must either be in between a lower and higher
// value, or next to an equal value.
}
}
}
/**
* Inserts the data into the list and shifts all subsequent elements forward to retain
* in ascending sortation.
* @param theList the list to insert into and shift.
* @param theIndex the index where to insert the data.
* @param theData the data to insert.
*/
private void shiftIt(final E[] theList, final int theIndex, final E theData) {
E current = theData;
E temp;
for (int i = theIndex; i <= myLastElement; i++) {
temp = myElementData[i];
myElementData[i] = current;
current = temp;
}
}
/**
* Binary search algorithm that is O(log(n)), and only relevant on a sorted
* list in ascending order, and assumes the list is not empty.
* If the data exists, it shall be found within 7 loop iterations.
* @param theValue the value to search for.
* @return the index of the data found, else if not found then the same
* index number is returned, but negated.
*/
private int binarySearch(final E theValue) {
int back = 0, front = getSize() - 1, mid = front / 2;
while(back <= front) { // loops up to 7 times when cutting in half.
mid = (front + back) / 2; // Floor of value intentional for odd number.
int comparison = theValue.compareTo(this.get(mid));
if (comparison < 0) {
front = mid - 1;
} else if (comparison > 0) {
back = mid + 1;
} else {
return mid; // found the data, so stop and return mid.
}
}
//return (mid * -1) - 1;
return -(mid + 1);
// Not found. The index (positive value) is where the value should have been.
}
}
| [
"sam2b@uw.edu"
] | sam2b@uw.edu |
d341da5e1b1222ad9f95d8dbc84e3667842e9ead | 0af8b92686a58eb0b64e319b22411432aca7a8f3 | /large-multiproject/project66/src/main/java/org/gradle/test/performance66_2/Production66_123.java | 8a180c218edc626c235b67d0e611235b993eccb8 | [] | no_license | gradle/performance-comparisons | b0d38db37c326e0ce271abebdb3c91769b860799 | e53dc7182fafcf9fedf07920cbbea8b40ee4eef4 | refs/heads/master | 2023-08-14T19:24:39.164276 | 2022-11-24T05:18:33 | 2022-11-24T05:18:33 | 80,121,268 | 17 | 15 | null | 2022-09-30T08:04:35 | 2017-01-26T14:25:33 | null | UTF-8 | Java | false | false | 305 | java | package org.gradle.test.performance66_2;
public class Production66_123 extends org.gradle.test.performance15_2.Production15_123 {
private final String property;
public Production66_123() {
this.property = "foo";
}
public String getProperty() {
return property;
}
}
| [
"cedric.champeau@gmail.com"
] | cedric.champeau@gmail.com |
9c7d1369af83ce3c86b8836238b05a82eaf446de | f86938ea6307bf6d1d89a07b5b5f9e360673d9b8 | /CodeComment_Data/Code_Jam/train/Revenge_of_the_Pancakes/S/readInFile.java | b8c9db51f665efcac82cab6b79ba9c179783a8ea | [] | no_license | yxh-y/code_comment_generation | 8367b355195a8828a27aac92b3c738564587d36f | 2c7bec36dd0c397eb51ee5bd77c94fa9689575fa | refs/heads/master | 2021-09-28T18:52:40.660282 | 2018-11-19T14:54:56 | 2018-11-19T14:54:56 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,126 | java | package methodEmbedding.Revenge_of_the_Pancakes.S.LYD78;
import java.io.BufferedReader;
import java.io.FileReader;
import java.io.FileWriter;
import java.io.IOException;
import java.util.ArrayList;
import java.util.List;
public class readInFile {
public static void main(String[] args) {
BufferedReader br = null;
try {
String sCurrentLine;
br = new BufferedReader(new FileReader(
"C:\\Users\\Subhransu\\workspace\\Test\\file\\B-small-attempt0.in"));
List<String> strings = new ArrayList<String>();
while ((sCurrentLine = br.readLine()) != null) {
strings.add(sCurrentLine);
}
ProblemB problemB = new ProblemB();
List<String> outputs = problemB.execute(strings);
FileWriter writer = new FileWriter(
"C:\\Users\\Subhransu\\workspace\\Test\\file\\B-small-attempt0.out");
for (String output : outputs) {
writer.write(output + System.getProperty("line.separator"));
}
writer.close();
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (br != null)
br.close();
} catch (IOException ex) {
ex.printStackTrace();
}
}
}
}
| [
"liangyuding@sjtu.edu.cn"
] | liangyuding@sjtu.edu.cn |
b02d29968b883a5a3785490b5a9da50035591006 | 641d42ff22d9d7e7c1b95850bc07ffd3927e9388 | /CrazyMathematicianApp/CrazyMathematicianApp.Android/obj/Debug/70/android/src/android/support/v4/R.java | 8fb0ed6ee58cc5df9cbaf029c478156a2e905972 | [] | no_license | thdgeorge/Xamarin-Math | cf7bf6c90c7d78c6cdd064999162feb497e512da | c85998368f3863feff5241f3246512ee44b44406 | refs/heads/master | 2023-01-11T11:34:09.638820 | 2020-11-12T19:01:19 | 2020-11-12T19:01:19 | 210,891,427 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 595,767 | 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 android.support.v4;
public final class R {
public static final class anim {
public static int abc_fade_in=0x7f050000;
public static int abc_fade_out=0x7f050001;
public static int abc_grow_fade_in_from_bottom=0x7f050002;
public static int abc_popup_enter=0x7f050003;
public static int abc_popup_exit=0x7f050004;
public static int abc_shrink_fade_out_from_bottom=0x7f050005;
public static int abc_slide_in_bottom=0x7f050006;
public static int abc_slide_in_top=0x7f050007;
public static int abc_slide_out_bottom=0x7f050008;
public static int abc_slide_out_top=0x7f050009;
public static int design_appbar_state_list_animator=0x7f05000a;
public static int design_bottom_sheet_slide_in=0x7f05000b;
public static int design_bottom_sheet_slide_out=0x7f05000c;
public static int design_fab_in=0x7f05000d;
public static int design_fab_out=0x7f05000e;
public static int design_snackbar_in=0x7f05000f;
public static int design_snackbar_out=0x7f050010;
}
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 int MediaRouteControllerWindowBackground=0x7f010004;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarDivider=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 int actionBarItemBackground=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 int actionBarPopupTheme=0x7f010059;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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 int actionBarSize=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 int actionBarSplitStyle=0x7f01005b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int actionBarStyle=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 int actionBarTabBarStyle=0x7f010055;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int actionBarTabStyle=0x7f010054;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarTabTextStyle=0x7f010056;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int actionBarTheme=0x7f01005c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarWidgetTheme=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 int actionButtonStyle=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 int actionDropDownStyle=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 int actionLayout=0x7f0100cb;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int actionMenuTextAppearance=0x7f010061;
/** <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 int actionMenuTextColor=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 int actionModeBackground=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 int actionModeCloseButtonStyle=0x7f010064;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int actionModeCloseDrawable=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 int actionModeCopyDrawable=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 int actionModeCutDrawable=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 int actionModeFindDrawable=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 int actionModePasteDrawable=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 int actionModePopupWindowStyle=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 int actionModeSelectAllDrawable=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 int actionModeShareDrawable=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 int actionModeSplitBackground=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 int actionModeStyle=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 int actionModeWebSearchDrawable=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 int actionOverflowButtonStyle=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 int actionOverflowMenuStyle=0x7f010058;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int actionProviderClass=0x7f0100cd;
/** <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 int actionViewClass=0x7f0100cc;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int activityChooserViewStyle=0x7f010082;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static 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 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 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 int alertDialogTheme=0x7f0100a8;
/** <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 int allowStacking=0x7f0100bb;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int alpha=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 int arrowHeadLength=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 int arrowShaftLength=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 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 int background=0x7f01002b;
/** <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 int backgroundSplit=0x7f01002d;
/** <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 int backgroundStacked=0x7f01002c;
/** <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 int backgroundTint=0x7f0100fe;
/** <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 int backgroundTintMode=0x7f0100ff;
/** <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 int barLength=0x7f0100c5;
/** <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 int behavior_autoHide=0x7f010129;
/** <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 int behavior_hideable=0x7f010106;
/** <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 int behavior_overlapTop=0x7f010132;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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>auto</code></td><td>-1</td><td></td></tr>
</table>
*/
public static int behavior_peekHeight=0x7f010105;
/** <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 int behavior_skipCollapsed=0x7f010107;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int borderWidth=0x7f010127;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int borderlessButtonStyle=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 int bottomSheetDialogTheme=0x7f010121;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int bottomSheetStyle=0x7f010122;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int buttonBarButtonStyle=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 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 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 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 int buttonBarStyle=0x7f01007b;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
</table>
*/
public static int buttonGravity=0x7f0100f3;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int buttonPanelSideLayout=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 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 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 int buttonTint=0x7f0100bd;
/** <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 int buttonTintMode=0x7f0100be;
/** <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 int cardBackgroundColor=0x7f010014;
/** <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 int cardCornerRadius=0x7f010015;
/** <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 int cardElevation=0x7f010016;
/** <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 int cardMaxElevation=0x7f010017;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int cardPreventCornerOverlap=0x7f010019;
/** <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 int cardUseCompatPadding=0x7f010018;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 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 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 int closeIcon=0x7f0100d6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int closeItemLayout=0x7f01003d;
/** <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 int collapseContentDescription=0x7f0100f5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int collapseIcon=0x7f0100f4;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x05</td><td></td></tr>
<tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr>
<tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr>
<tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr>
<tr><td><code>center</code></td><td>0x11</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
*/
public static int collapsedTitleGravity=0x7f010114;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int collapsedTitleTextAppearance=0x7f01010e;
/** <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 int color=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 int colorAccent=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 int colorBackgroundFloating=0x7f0100a4;
/** <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 int colorButtonNormal=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 int colorControlActivated=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 int colorControlHighlight=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 int colorControlNormal=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 int colorPrimary=0x7f01009b;
/** <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 int colorPrimaryDark=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 int colorSwitchThumbNormal=0x7f0100a2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int commitIcon=0x7f0100db;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetEnd=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 int contentInsetEndWithActions=0x7f01003a;
/** <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 int contentInsetLeft=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 int contentInsetRight=0x7f010038;
/** <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 int contentInsetStart=0x7f010035;
/** <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 int contentInsetStartWithNavigation=0x7f010039;
/** <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 int contentPadding=0x7f01001a;
/** <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 int contentPaddingBottom=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 int contentPaddingLeft=0x7f01001b;
/** <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 int contentPaddingRight=0x7f01001c;
/** <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 int contentPaddingTop=0x7f01001d;
/** <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 int contentScrim=0x7f01010f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int controlBackground=0x7f0100a3;
/** <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 int counterEnabled=0x7f010148;
/** <p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int counterMaxLength=0x7f010149;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int counterOverflowTextAppearance=0x7f01014b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int counterTextAppearance=0x7f01014a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int customNavigationLayout=0x7f01002e;
/** <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 int defaultQueryHint=0x7f0100d5;
/** <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 int dialogPreferredPadding=0x7f010074;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int dialogTheme=0x7f010073;
/** <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 int displayOptions=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 int divider=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 int dividerHorizontal=0x7f010081;
/** <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 int dividerPadding=0x7f0100c9;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int dividerVertical=0x7f010080;
/** <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 int drawableSize=0x7f0100c1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int drawerArrowStyle=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 int dropDownListViewStyle=0x7f010093;
/** <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 int dropdownListPreferredItemHeight=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 int editTextBackground=0x7f010088;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int editTextColor=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 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 int elevation=0x7f01003b;
/** <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 int errorEnabled=0x7f010146;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int errorTextAppearance=0x7f010147;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int expandActivityOverflowButtonDrawable=0x7f01003f;
/** <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 int expanded=0x7f010100;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x05</td><td></td></tr>
<tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr>
<tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr>
<tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr>
<tr><td><code>center</code></td><td>0x11</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
*/
public static int expandedTitleGravity=0x7f010115;
/** <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 int expandedTitleMargin=0x7f010108;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int expandedTitleMarginBottom=0x7f01010c;
/** <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 int expandedTitleMarginEnd=0x7f01010b;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int expandedTitleMarginStart=0x7f010109;
/** <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 int expandedTitleMarginTop=0x7f01010a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int expandedTitleTextAppearance=0x7f01010d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int externalRouteEnabledDrawable=0x7f010013;
/** <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>auto</code></td><td>-1</td><td></td></tr>
<tr><td><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>mini</code></td><td>1</td><td></td></tr>
</table>
*/
public static int fabSize=0x7f010125;
/** <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 int foregroundInsidePadding=0x7f01012a;
/** <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 int gapBetweenBars=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 int goIcon=0x7f0100d7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int headerLayout=0x7f010130;
/** <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 int height=0x7f010020;
/** <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 int hideOnContentScroll=0x7f010034;
/** <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 int hintAnimationEnabled=0x7f01014c;
/** <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 int hintEnabled=0x7f010145;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int hintTextAppearance=0x7f010144;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int homeAsUpIndicator=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 int homeLayout=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 int icon=0x7f010028;
/** <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 int iconifiedByDefault=0x7f0100d3;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int imageButtonStyle=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 int indeterminateProgressStyle=0x7f010031;
/** <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 int initialActivityCount=0x7f01003e;
/** <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 int insetForeground=0x7f010131;
/** <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 int isLightTheme=0x7f010021;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int itemBackground=0x7f01012e;
/** <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 int itemIconTint=0x7f01012c;
/** <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 int itemPadding=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 int itemTextAppearance=0x7f01012f;
/** <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 int itemTextColor=0x7f01012d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int keylines=0x7f010119;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int layout=0x7f0100d2;
/** <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 int layoutManager=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 int layout_anchor=0x7f01011c;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x05</td><td></td></tr>
<tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr>
<tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr>
<tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr>
<tr><td><code>fill_horizontal</code></td><td>0x07</td><td></td></tr>
<tr><td><code>center</code></td><td>0x11</td><td></td></tr>
<tr><td><code>fill</code></td><td>0x77</td><td></td></tr>
<tr><td><code>clip_vertical</code></td><td>0x80</td><td></td></tr>
<tr><td><code>clip_horizontal</code></td><td>0x08</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
*/
public static int layout_anchorGravity=0x7f01011e;
/** <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 int layout_behavior=0x7f01011b;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>pin</code></td><td>1</td><td></td></tr>
<tr><td><code>parallax</code></td><td>2</td><td></td></tr>
</table>
*/
public static int layout_collapseMode=0x7f010117;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int layout_collapseParallaxMultiplier=0x7f010118;
/** <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>0x0</td><td></td></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x03</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
<tr><td><code>all</code></td><td>0x77</td><td></td></tr>
</table>
*/
public static int layout_dodgeInsetEdges=0x7f010120;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0x0</td><td></td></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x03</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
*/
public static int layout_insetEdge=0x7f01011f;
/** <p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int layout_keyline=0x7f01011d;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>scroll</code></td><td>0x1</td><td></td></tr>
<tr><td><code>exitUntilCollapsed</code></td><td>0x2</td><td></td></tr>
<tr><td><code>enterAlways</code></td><td>0x4</td><td></td></tr>
<tr><td><code>enterAlwaysCollapsed</code></td><td>0x8</td><td></td></tr>
<tr><td><code>snap</code></td><td>0x10</td><td></td></tr>
</table>
*/
public static int layout_scrollFlags=0x7f010103;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int layout_scrollInterpolator=0x7f010104;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int listChoiceBackgroundIndicator=0x7f01009a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listDividerAlertDialog=0x7f010075;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listItemLayout=0x7f010044;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int listLayout=0x7f010041;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int listMenuViewStyle=0x7f0100ba;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int listPopupWindowStyle=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 int listPreferredItemHeight=0x7f01008e;
/** <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 int listPreferredItemHeightLarge=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 int listPreferredItemHeightSmall=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 int listPreferredItemPaddingLeft=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 int listPreferredItemPaddingRight=0x7f010092;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int logo=0x7f010029;
/** <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 int logoDescription=0x7f0100f8;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int maxActionInlineWidth=0x7f010133;
/** <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 int maxButtonHeight=0x7f0100f2;
/** <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 int measureWithLargestChild=0x7f0100c7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int mediaRouteAudioTrackDrawable=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 int mediaRouteButtonStyle=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 int mediaRouteChooserPrimaryTextStyle=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 int mediaRouteChooserSecondaryTextStyle=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 int mediaRouteCloseDrawable=0x7f010009;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int mediaRouteControllerPrimaryTextStyle=0x7f01000a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int mediaRouteControllerSecondaryTextStyle=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 int mediaRouteControllerTitleTextStyle=0x7f01000c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int mediaRouteDefaultIconDrawable=0x7f01000d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int mediaRoutePauseDrawable=0x7f01000e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int mediaRoutePlayDrawable=0x7f01000f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int mediaRouteSpeakerGroupIconDrawable=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 int mediaRouteSpeakerIconDrawable=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 int mediaRouteTvIconDrawable=0x7f010012;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int menu=0x7f01012b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int multiChoiceItemLayout=0x7f010042;
/** <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 int navigationContentDescription=0x7f0100f7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int navigationIcon=0x7f0100f6;
/** <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 int navigationMode=0x7f010023;
/** <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 int overlapAnchor=0x7f0100d0;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int paddingEnd=0x7f0100fc;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int paddingStart=0x7f0100fb;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int panelBackground=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 int panelMenuListTheme=0x7f010099;
/** <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 int panelMenuListWidth=0x7f010098;
/** <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 int passwordToggleContentDescription=0x7f01014f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int passwordToggleDrawable=0x7f01014e;
/** <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 int passwordToggleEnabled=0x7f01014d;
/** <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 int passwordToggleTint=0x7f010150;
/** <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 int passwordToggleTintMode=0x7f010151;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int popupMenuStyle=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 int popupTheme=0x7f01003c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int popupWindowStyle=0x7f010086;
/** <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 int preserveIconSpacing=0x7f0100ce;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int pressedTranslationZ=0x7f010126;
/** <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 int progressBarPadding=0x7f010032;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int progressBarStyle=0x7f010030;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int queryBackground=0x7f0100dd;
/** <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 int queryHint=0x7f0100d4;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static 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 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 int ratingBarStyleIndicator=0x7f0100b5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int ratingBarStyleSmall=0x7f0100b6;
/** <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 int reverseLayout=0x7f010002;
/** <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 int rippleColor=0x7f010124;
/** <p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int scrimAnimationDuration=0x7f010113;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int scrimVisibleHeightTrigger=0x7f010112;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int searchHintIcon=0x7f0100d9;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int searchIcon=0x7f0100d8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int searchViewStyle=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 int seekBarStyle=0x7f0100b7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int selectableItemBackground=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 int selectableItemBackgroundBorderless=0x7f01007e;
/** <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 int showAsAction=0x7f0100ca;
/** <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 int showDividers=0x7f0100c8;
/** <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 int showText=0x7f0100e9;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int singleChoiceItemLayout=0x7f010043;
/** <p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int spanCount=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 int spinBars=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 int spinnerDropDownItemStyle=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 int spinnerStyle=0x7f0100b8;
/** <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 int splitTrack=0x7f0100e8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int srcCompat=0x7f010045;
/** <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 int stackFromEnd=0x7f010003;
/** <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 int state_above_anchor=0x7f0100d1;
/** <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 int state_collapsed=0x7f010101;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int state_collapsible=0x7f010102;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int statusBarBackground=0x7f01011a;
/** <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 int statusBarScrim=0x7f010110;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int subMenuArrow=0x7f0100cf;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int submitBackground=0x7f0100de;
/** <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 int subtitle=0x7f010025;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int subtitleTextAppearance=0x7f0100eb;
/** <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 int subtitleTextColor=0x7f0100fa;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int subtitleTextStyle=0x7f010027;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int suggestionRowLayout=0x7f0100dc;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int switchMinWidth=0x7f0100e6;
/** <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 int switchPadding=0x7f0100e7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int switchStyle=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 int switchTextAppearance=0x7f0100e5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int tabBackground=0x7f010137;
/** <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 int tabContentStart=0x7f010136;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>fill</code></td><td>0</td><td></td></tr>
<tr><td><code>center</code></td><td>1</td><td></td></tr>
</table>
*/
public static int tabGravity=0x7f010139;
/** <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 int tabIndicatorColor=0x7f010134;
/** <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 int tabIndicatorHeight=0x7f010135;
/** <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 int tabMaxWidth=0x7f01013b;
/** <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 int tabMinWidth=0x7f01013a;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>scrollable</code></td><td>0</td><td></td></tr>
<tr><td><code>fixed</code></td><td>1</td><td></td></tr>
</table>
*/
public static int tabMode=0x7f010138;
/** <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 int tabPadding=0x7f010143;
/** <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 int tabPaddingBottom=0x7f010142;
/** <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 int tabPaddingEnd=0x7f010141;
/** <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 int tabPaddingStart=0x7f01013f;
/** <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 int tabPaddingTop=0x7f010140;
/** <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 int tabSelectedTextColor=0x7f01013e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int tabTextAppearance=0x7f01013c;
/** <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 int tabTextColor=0x7f01013d;
/** <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 int textAllCaps=0x7f010049;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int textAppearanceLargePopupMenu=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 int textAppearanceListItem=0x7f010095;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceListItemSmall=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 int textAppearancePopupMenuHeader=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 int textAppearanceSearchResultSubtitle=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 int textAppearanceSearchResultTitle=0x7f01008a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceSmallPopupMenu=0x7f010071;
/** <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 int textColorAlertDialogListItem=0x7f0100a9;
/** <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 int textColorError=0x7f010123;
/** <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 int textColorSearchUrl=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 int theme=0x7f0100fd;
/** <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 int thickness=0x7f0100c6;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int thumbTextPadding=0x7f0100e4;
/** <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 int thumbTint=0x7f0100df;
/** <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>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int thumbTintMode=0x7f0100e0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int tickMark=0x7f010046;
/** <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 int tickMarkTint=0x7f010047;
/** <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>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int tickMarkTintMode=0x7f010048;
/** <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 int title=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 int titleEnabled=0x7f010116;
/** <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 int titleMargin=0x7f0100ec;
/** <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 int titleMarginBottom=0x7f0100f0;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMarginEnd=0x7f0100ee;
/** <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 int titleMarginStart=0x7f0100ed;
/** <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 int titleMarginTop=0x7f0100ef;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMargins=0x7f0100f1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int titleTextAppearance=0x7f0100ea;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleTextColor=0x7f0100f9;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int titleTextStyle=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 int toolbarId=0x7f010111;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int toolbarNavigationButtonStyle=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 int toolbarStyle=0x7f010083;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int track=0x7f0100e1;
/** <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 int trackTint=0x7f0100e2;
/** <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>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int trackTintMode=0x7f0100e3;
/** <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 int useCompatPadding=0x7f010128;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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 int voiceIcon=0x7f0100da;
/** <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 int windowActionBar=0x7f01004a;
/** <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 int windowActionBarOverlay=0x7f01004c;
/** <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 int windowActionModeOverlay=0x7f01004d;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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 int windowFixedHeightMajor=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 int windowFixedHeightMinor=0x7f01004f;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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 int windowFixedWidthMajor=0x7f01004e;
/** <p>May be a dimension value, which is a floating point number appended with a unit such 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 int windowFixedWidthMinor=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 int windowMinWidthMajor=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 int windowMinWidthMinor=0x7f010053;
/** <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 int windowNoTitle=0x7f01004b;
}
public static final class bool {
public static int abc_action_bar_embed_tabs=0x7f0d0000;
public static int abc_allow_stacked_button_bar=0x7f0d0001;
public static int abc_config_actionMenuItemAllCaps=0x7f0d0002;
public static int abc_config_closeDialogWhenTouchOutside=0x7f0d0003;
public static int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f0d0004;
}
public static final class color {
public static int abc_background_cache_hint_selector_material_dark=0x7f0c004c;
public static int abc_background_cache_hint_selector_material_light=0x7f0c004d;
public static int abc_btn_colored_borderless_text_material=0x7f0c004e;
public static int abc_color_highlight_material=0x7f0c004f;
public static int abc_input_method_navigation_guard=0x7f0c0004;
public static int abc_primary_text_disable_only_material_dark=0x7f0c0050;
public static int abc_primary_text_disable_only_material_light=0x7f0c0051;
public static int abc_primary_text_material_dark=0x7f0c0052;
public static int abc_primary_text_material_light=0x7f0c0053;
public static int abc_search_url_text=0x7f0c0054;
public static int abc_search_url_text_normal=0x7f0c0005;
public static int abc_search_url_text_pressed=0x7f0c0006;
public static int abc_search_url_text_selected=0x7f0c0007;
public static int abc_secondary_text_material_dark=0x7f0c0055;
public static int abc_secondary_text_material_light=0x7f0c0056;
public static int abc_tint_btn_checkable=0x7f0c0057;
public static int abc_tint_default=0x7f0c0058;
public static int abc_tint_edittext=0x7f0c0059;
public static int abc_tint_seek_thumb=0x7f0c005a;
public static int abc_tint_spinner=0x7f0c005b;
public static int abc_tint_switch_thumb=0x7f0c005c;
public static int abc_tint_switch_track=0x7f0c005d;
public static int accent_material_dark=0x7f0c0008;
public static int accent_material_light=0x7f0c0009;
public static int background_floating_material_dark=0x7f0c000a;
public static int background_floating_material_light=0x7f0c000b;
public static int background_material_dark=0x7f0c000c;
public static int background_material_light=0x7f0c000d;
public static int bright_foreground_disabled_material_dark=0x7f0c000e;
public static int bright_foreground_disabled_material_light=0x7f0c000f;
public static int bright_foreground_inverse_material_dark=0x7f0c0010;
public static int bright_foreground_inverse_material_light=0x7f0c0011;
public static int bright_foreground_material_dark=0x7f0c0012;
public static int bright_foreground_material_light=0x7f0c0013;
public static int button_material_dark=0x7f0c0014;
public static int button_material_light=0x7f0c0015;
public static int cardview_dark_background=0x7f0c0000;
public static int cardview_light_background=0x7f0c0001;
public static int cardview_shadow_end_color=0x7f0c0002;
public static int cardview_shadow_start_color=0x7f0c0003;
public static int colorAccent=0x7f0c004b;
public static int colorPrimary=0x7f0c0049;
public static int colorPrimaryDark=0x7f0c004a;
public static int design_error=0x7f0c005e;
public static int design_fab_shadow_end_color=0x7f0c003e;
public static int design_fab_shadow_mid_color=0x7f0c003f;
public static int design_fab_shadow_start_color=0x7f0c0040;
public static int design_fab_stroke_end_inner_color=0x7f0c0041;
public static int design_fab_stroke_end_outer_color=0x7f0c0042;
public static int design_fab_stroke_top_inner_color=0x7f0c0043;
public static int design_fab_stroke_top_outer_color=0x7f0c0044;
public static int design_snackbar_background_color=0x7f0c0045;
public static int design_textinput_error_color_dark=0x7f0c0046;
public static int design_textinput_error_color_light=0x7f0c0047;
public static int design_tint_password_toggle=0x7f0c005f;
public static int dim_foreground_disabled_material_dark=0x7f0c0016;
public static int dim_foreground_disabled_material_light=0x7f0c0017;
public static int dim_foreground_material_dark=0x7f0c0018;
public static int dim_foreground_material_light=0x7f0c0019;
public static int foreground_material_dark=0x7f0c001a;
public static int foreground_material_light=0x7f0c001b;
public static int highlighted_text_material_dark=0x7f0c001c;
public static int highlighted_text_material_light=0x7f0c001d;
public static int hint_foreground_material_dark=0x7f0c001e;
public static int hint_foreground_material_light=0x7f0c001f;
public static int launcher_background=0x7f0c0048;
public static int material_blue_grey_800=0x7f0c0020;
public static int material_blue_grey_900=0x7f0c0021;
public static int material_blue_grey_950=0x7f0c0022;
public static int material_deep_teal_200=0x7f0c0023;
public static int material_deep_teal_500=0x7f0c0024;
public static int material_grey_100=0x7f0c0025;
public static int material_grey_300=0x7f0c0026;
public static int material_grey_50=0x7f0c0027;
public static int material_grey_600=0x7f0c0028;
public static int material_grey_800=0x7f0c0029;
public static int material_grey_850=0x7f0c002a;
public static int material_grey_900=0x7f0c002b;
public static int primary_dark_material_dark=0x7f0c002c;
public static int primary_dark_material_light=0x7f0c002d;
public static int primary_material_dark=0x7f0c002e;
public static int primary_material_light=0x7f0c002f;
public static int primary_text_default_material_dark=0x7f0c0030;
public static int primary_text_default_material_light=0x7f0c0031;
public static int primary_text_disabled_material_dark=0x7f0c0032;
public static int primary_text_disabled_material_light=0x7f0c0033;
public static int ripple_material_dark=0x7f0c0034;
public static int ripple_material_light=0x7f0c0035;
public static int secondary_text_default_material_dark=0x7f0c0036;
public static int secondary_text_default_material_light=0x7f0c0037;
public static int secondary_text_disabled_material_dark=0x7f0c0038;
public static int secondary_text_disabled_material_light=0x7f0c0039;
public static int switch_thumb_disabled_material_dark=0x7f0c003a;
public static int switch_thumb_disabled_material_light=0x7f0c003b;
public static int switch_thumb_material_dark=0x7f0c0060;
public static int switch_thumb_material_light=0x7f0c0061;
public static int switch_thumb_normal_material_dark=0x7f0c003c;
public static int switch_thumb_normal_material_light=0x7f0c003d;
}
public static final class dimen {
public static int abc_action_bar_content_inset_material=0x7f070018;
public static int abc_action_bar_content_inset_with_nav=0x7f070019;
public static int abc_action_bar_default_height_material=0x7f07000d;
public static int abc_action_bar_default_padding_end_material=0x7f07001a;
public static int abc_action_bar_default_padding_start_material=0x7f07001b;
public static int abc_action_bar_elevation_material=0x7f07001d;
public static int abc_action_bar_icon_vertical_padding_material=0x7f07001e;
public static int abc_action_bar_overflow_padding_end_material=0x7f07001f;
public static int abc_action_bar_overflow_padding_start_material=0x7f070020;
public static int abc_action_bar_progress_bar_size=0x7f07000e;
public static int abc_action_bar_stacked_max_height=0x7f070021;
public static int abc_action_bar_stacked_tab_max_width=0x7f070022;
public static int abc_action_bar_subtitle_bottom_margin_material=0x7f070023;
public static int abc_action_bar_subtitle_top_margin_material=0x7f070024;
public static int abc_action_button_min_height_material=0x7f070025;
public static int abc_action_button_min_width_material=0x7f070026;
public static int abc_action_button_min_width_overflow_material=0x7f070027;
public static int abc_alert_dialog_button_bar_height=0x7f07000c;
public static int abc_button_inset_horizontal_material=0x7f070028;
public static int abc_button_inset_vertical_material=0x7f070029;
public static int abc_button_padding_horizontal_material=0x7f07002a;
public static int abc_button_padding_vertical_material=0x7f07002b;
public static int abc_cascading_menus_min_smallest_width=0x7f07002c;
public static int abc_config_prefDialogWidth=0x7f070011;
public static int abc_control_corner_material=0x7f07002d;
public static int abc_control_inset_material=0x7f07002e;
public static int abc_control_padding_material=0x7f07002f;
public static int abc_dialog_fixed_height_major=0x7f070012;
public static int abc_dialog_fixed_height_minor=0x7f070013;
public static int abc_dialog_fixed_width_major=0x7f070014;
public static int abc_dialog_fixed_width_minor=0x7f070015;
public static int abc_dialog_list_padding_vertical_material=0x7f070030;
public static int abc_dialog_min_width_major=0x7f070016;
public static int abc_dialog_min_width_minor=0x7f070017;
public static int abc_dialog_padding_material=0x7f070031;
public static int abc_dialog_padding_top_material=0x7f070032;
public static int abc_disabled_alpha_material_dark=0x7f070033;
public static int abc_disabled_alpha_material_light=0x7f070034;
public static int abc_dropdownitem_icon_width=0x7f070035;
public static int abc_dropdownitem_text_padding_left=0x7f070036;
public static int abc_dropdownitem_text_padding_right=0x7f070037;
public static int abc_edit_text_inset_bottom_material=0x7f070038;
public static int abc_edit_text_inset_horizontal_material=0x7f070039;
public static int abc_edit_text_inset_top_material=0x7f07003a;
public static int abc_floating_window_z=0x7f07003b;
public static int abc_list_item_padding_horizontal_material=0x7f07003c;
public static int abc_panel_menu_list_width=0x7f07003d;
public static int abc_progress_bar_height_material=0x7f07003e;
public static int abc_search_view_preferred_height=0x7f07003f;
public static int abc_search_view_preferred_width=0x7f070040;
public static int abc_seekbar_track_background_height_material=0x7f070041;
public static int abc_seekbar_track_progress_height_material=0x7f070042;
public static int abc_select_dialog_padding_start_material=0x7f070043;
public static int abc_switch_padding=0x7f07001c;
public static int abc_text_size_body_1_material=0x7f070044;
public static int abc_text_size_body_2_material=0x7f070045;
public static int abc_text_size_button_material=0x7f070046;
public static int abc_text_size_caption_material=0x7f070047;
public static int abc_text_size_display_1_material=0x7f070048;
public static int abc_text_size_display_2_material=0x7f070049;
public static int abc_text_size_display_3_material=0x7f07004a;
public static int abc_text_size_display_4_material=0x7f07004b;
public static int abc_text_size_headline_material=0x7f07004c;
public static int abc_text_size_large_material=0x7f07004d;
public static int abc_text_size_medium_material=0x7f07004e;
public static int abc_text_size_menu_header_material=0x7f07004f;
public static int abc_text_size_menu_material=0x7f070050;
public static int abc_text_size_small_material=0x7f070051;
public static int abc_text_size_subhead_material=0x7f070052;
public static int abc_text_size_subtitle_material_toolbar=0x7f07000f;
public static int abc_text_size_title_material=0x7f070053;
public static int abc_text_size_title_material_toolbar=0x7f070010;
public static int cardview_compat_inset_shadow=0x7f070009;
public static int cardview_default_elevation=0x7f07000a;
public static int cardview_default_radius=0x7f07000b;
public static int design_appbar_elevation=0x7f070064;
public static int design_bottom_navigation_active_item_max_width=0x7f070065;
public static int design_bottom_navigation_active_text_size=0x7f070066;
public static int design_bottom_navigation_height=0x7f070067;
public static int design_bottom_navigation_item_max_width=0x7f070068;
public static int design_bottom_navigation_margin=0x7f070069;
public static int design_bottom_navigation_text_size=0x7f07006a;
public static int design_bottom_sheet_modal_elevation=0x7f07006b;
public static int design_bottom_sheet_peek_height_min=0x7f07006c;
public static int design_fab_border_width=0x7f07006d;
public static int design_fab_elevation=0x7f07006e;
public static int design_fab_image_size=0x7f07006f;
public static int design_fab_size_mini=0x7f070070;
public static int design_fab_size_normal=0x7f070071;
public static int design_fab_translation_z_pressed=0x7f070072;
public static int design_navigation_elevation=0x7f070073;
public static int design_navigation_icon_padding=0x7f070074;
public static int design_navigation_icon_size=0x7f070075;
public static int design_navigation_max_width=0x7f07005c;
public static int design_navigation_padding_bottom=0x7f070076;
public static int design_navigation_separator_vertical_padding=0x7f070077;
public static int design_snackbar_action_inline_max_width=0x7f07005d;
public static int design_snackbar_background_corner_radius=0x7f07005e;
public static int design_snackbar_elevation=0x7f070078;
public static int design_snackbar_extra_spacing_horizontal=0x7f07005f;
public static int design_snackbar_max_width=0x7f070060;
public static int design_snackbar_min_width=0x7f070061;
public static int design_snackbar_padding_horizontal=0x7f070079;
public static int design_snackbar_padding_vertical=0x7f07007a;
public static int design_snackbar_padding_vertical_2lines=0x7f070062;
public static int design_snackbar_text_size=0x7f07007b;
public static int design_tab_max_width=0x7f07007c;
public static int design_tab_scrollable_min_width=0x7f070063;
public static int design_tab_text_size=0x7f07007d;
public static int design_tab_text_size_2line=0x7f07007e;
public static int disabled_alpha_material_dark=0x7f070054;
public static int disabled_alpha_material_light=0x7f070055;
public static int highlight_alpha_material_colored=0x7f070056;
public static int highlight_alpha_material_dark=0x7f070057;
public static int highlight_alpha_material_light=0x7f070058;
public static int item_touch_helper_max_drag_scroll_per_frame=0x7f070000;
public static int item_touch_helper_swipe_escape_max_velocity=0x7f070001;
public static int item_touch_helper_swipe_escape_velocity=0x7f070002;
public static int mr_controller_volume_group_list_item_height=0x7f070003;
public static int mr_controller_volume_group_list_item_icon_size=0x7f070004;
public static int mr_controller_volume_group_list_max_height=0x7f070005;
public static int mr_controller_volume_group_list_padding_top=0x7f070008;
public static int mr_dialog_fixed_width_major=0x7f070006;
public static int mr_dialog_fixed_width_minor=0x7f070007;
public static int notification_large_icon_height=0x7f070059;
public static int notification_large_icon_width=0x7f07005a;
public static int notification_subtext_size=0x7f07005b;
}
public static final class drawable {
public static int abc_ab_share_pack_mtrl_alpha=0x7f020000;
public static int abc_action_bar_item_background_material=0x7f020001;
public static int abc_btn_borderless_material=0x7f020002;
public static int abc_btn_check_material=0x7f020003;
public static int abc_btn_check_to_on_mtrl_000=0x7f020004;
public static int abc_btn_check_to_on_mtrl_015=0x7f020005;
public static int abc_btn_colored_material=0x7f020006;
public static int abc_btn_default_mtrl_shape=0x7f020007;
public static int abc_btn_radio_material=0x7f020008;
public static int abc_btn_radio_to_on_mtrl_000=0x7f020009;
public static int abc_btn_radio_to_on_mtrl_015=0x7f02000a;
public static int abc_btn_switch_to_on_mtrl_00001=0x7f02000b;
public static int abc_btn_switch_to_on_mtrl_00012=0x7f02000c;
public static int abc_cab_background_internal_bg=0x7f02000d;
public static int abc_cab_background_top_material=0x7f02000e;
public static int abc_cab_background_top_mtrl_alpha=0x7f02000f;
public static int abc_control_background_material=0x7f020010;
public static int abc_dialog_material_background=0x7f020011;
public static int abc_edit_text_material=0x7f020012;
public static int abc_ic_ab_back_material=0x7f020013;
public static int abc_ic_arrow_drop_right_black_24dp=0x7f020014;
public static int abc_ic_clear_material=0x7f020015;
public static int abc_ic_commit_search_api_mtrl_alpha=0x7f020016;
public static int abc_ic_go_search_api_material=0x7f020017;
public static int abc_ic_menu_copy_mtrl_am_alpha=0x7f020018;
public static int abc_ic_menu_cut_mtrl_alpha=0x7f020019;
public static int abc_ic_menu_overflow_material=0x7f02001a;
public static int abc_ic_menu_paste_mtrl_am_alpha=0x7f02001b;
public static int abc_ic_menu_selectall_mtrl_alpha=0x7f02001c;
public static int abc_ic_menu_share_mtrl_alpha=0x7f02001d;
public static int abc_ic_search_api_material=0x7f02001e;
public static int abc_ic_star_black_16dp=0x7f02001f;
public static int abc_ic_star_black_36dp=0x7f020020;
public static int abc_ic_star_black_48dp=0x7f020021;
public static int abc_ic_star_half_black_16dp=0x7f020022;
public static int abc_ic_star_half_black_36dp=0x7f020023;
public static int abc_ic_star_half_black_48dp=0x7f020024;
public static int abc_ic_voice_search_api_material=0x7f020025;
public static int abc_item_background_holo_dark=0x7f020026;
public static int abc_item_background_holo_light=0x7f020027;
public static int abc_list_divider_mtrl_alpha=0x7f020028;
public static int abc_list_focused_holo=0x7f020029;
public static int abc_list_longpressed_holo=0x7f02002a;
public static int abc_list_pressed_holo_dark=0x7f02002b;
public static int abc_list_pressed_holo_light=0x7f02002c;
public static int abc_list_selector_background_transition_holo_dark=0x7f02002d;
public static int abc_list_selector_background_transition_holo_light=0x7f02002e;
public static int abc_list_selector_disabled_holo_dark=0x7f02002f;
public static int abc_list_selector_disabled_holo_light=0x7f020030;
public static int abc_list_selector_holo_dark=0x7f020031;
public static int abc_list_selector_holo_light=0x7f020032;
public static int abc_menu_hardkey_panel_mtrl_mult=0x7f020033;
public static int abc_popup_background_mtrl_mult=0x7f020034;
public static int abc_ratingbar_indicator_material=0x7f020035;
public static int abc_ratingbar_material=0x7f020036;
public static int abc_ratingbar_small_material=0x7f020037;
public static int abc_scrubber_control_off_mtrl_alpha=0x7f020038;
public static int abc_scrubber_control_to_pressed_mtrl_000=0x7f020039;
public static int abc_scrubber_control_to_pressed_mtrl_005=0x7f02003a;
public static int abc_scrubber_primary_mtrl_alpha=0x7f02003b;
public static int abc_scrubber_track_mtrl_alpha=0x7f02003c;
public static int abc_seekbar_thumb_material=0x7f02003d;
public static int abc_seekbar_tick_mark_material=0x7f02003e;
public static int abc_seekbar_track_material=0x7f02003f;
public static int abc_spinner_mtrl_am_alpha=0x7f020040;
public static int abc_spinner_textfield_background_material=0x7f020041;
public static int abc_switch_thumb_material=0x7f020042;
public static int abc_switch_track_mtrl_alpha=0x7f020043;
public static int abc_tab_indicator_material=0x7f020044;
public static int abc_tab_indicator_mtrl_alpha=0x7f020045;
public static int abc_text_cursor_material=0x7f020046;
public static int abc_text_select_handle_left_mtrl_dark=0x7f020047;
public static int abc_text_select_handle_left_mtrl_light=0x7f020048;
public static int abc_text_select_handle_middle_mtrl_dark=0x7f020049;
public static int abc_text_select_handle_middle_mtrl_light=0x7f02004a;
public static int abc_text_select_handle_right_mtrl_dark=0x7f02004b;
public static int abc_text_select_handle_right_mtrl_light=0x7f02004c;
public static int abc_textfield_activated_mtrl_alpha=0x7f02004d;
public static int abc_textfield_default_mtrl_alpha=0x7f02004e;
public static int abc_textfield_search_activated_mtrl_alpha=0x7f02004f;
public static int abc_textfield_search_default_mtrl_alpha=0x7f020050;
public static int abc_textfield_search_material=0x7f020051;
public static int abc_vector_test=0x7f020052;
public static int design_fab_background=0x7f020053;
public static int design_ic_visibility=0x7f020054;
public static int design_snackbar_background=0x7f020055;
public static int ic_audiotrack_dark=0x7f020056;
public static int ic_audiotrack_light=0x7f020057;
public static int ic_dialog_close_dark=0x7f020058;
public static int ic_dialog_close_light=0x7f020059;
public static int ic_group_collapse_00=0x7f02005a;
public static int ic_group_collapse_01=0x7f02005b;
public static int ic_group_collapse_02=0x7f02005c;
public static int ic_group_collapse_03=0x7f02005d;
public static int ic_group_collapse_04=0x7f02005e;
public static int ic_group_collapse_05=0x7f02005f;
public static int ic_group_collapse_06=0x7f020060;
public static int ic_group_collapse_07=0x7f020061;
public static int ic_group_collapse_08=0x7f020062;
public static int ic_group_collapse_09=0x7f020063;
public static int ic_group_collapse_10=0x7f020064;
public static int ic_group_collapse_11=0x7f020065;
public static int ic_group_collapse_12=0x7f020066;
public static int ic_group_collapse_13=0x7f020067;
public static int ic_group_collapse_14=0x7f020068;
public static int ic_group_collapse_15=0x7f020069;
public static int ic_group_expand_00=0x7f02006a;
public static int ic_group_expand_01=0x7f02006b;
public static int ic_group_expand_02=0x7f02006c;
public static int ic_group_expand_03=0x7f02006d;
public static int ic_group_expand_04=0x7f02006e;
public static int ic_group_expand_05=0x7f02006f;
public static int ic_group_expand_06=0x7f020070;
public static int ic_group_expand_07=0x7f020071;
public static int ic_group_expand_08=0x7f020072;
public static int ic_group_expand_09=0x7f020073;
public static int ic_group_expand_10=0x7f020074;
public static int ic_group_expand_11=0x7f020075;
public static int ic_group_expand_12=0x7f020076;
public static int ic_group_expand_13=0x7f020077;
public static int ic_group_expand_14=0x7f020078;
public static int ic_group_expand_15=0x7f020079;
public static int ic_media_pause_dark=0x7f02007a;
public static int ic_media_pause_light=0x7f02007b;
public static int ic_media_play_dark=0x7f02007c;
public static int ic_media_play_light=0x7f02007d;
public static int ic_mr_button_connected_00_dark=0x7f02007e;
public static int ic_mr_button_connected_00_light=0x7f02007f;
public static int ic_mr_button_connected_01_dark=0x7f020080;
public static int ic_mr_button_connected_01_light=0x7f020081;
public static int ic_mr_button_connected_02_dark=0x7f020082;
public static int ic_mr_button_connected_02_light=0x7f020083;
public static int ic_mr_button_connected_03_dark=0x7f020084;
public static int ic_mr_button_connected_03_light=0x7f020085;
public static int ic_mr_button_connected_04_dark=0x7f020086;
public static int ic_mr_button_connected_04_light=0x7f020087;
public static int ic_mr_button_connected_05_dark=0x7f020088;
public static int ic_mr_button_connected_05_light=0x7f020089;
public static int ic_mr_button_connected_06_dark=0x7f02008a;
public static int ic_mr_button_connected_06_light=0x7f02008b;
public static int ic_mr_button_connected_07_dark=0x7f02008c;
public static int ic_mr_button_connected_07_light=0x7f02008d;
public static int ic_mr_button_connected_08_dark=0x7f02008e;
public static int ic_mr_button_connected_08_light=0x7f02008f;
public static int ic_mr_button_connected_09_dark=0x7f020090;
public static int ic_mr_button_connected_09_light=0x7f020091;
public static int ic_mr_button_connected_10_dark=0x7f020092;
public static int ic_mr_button_connected_10_light=0x7f020093;
public static int ic_mr_button_connected_11_dark=0x7f020094;
public static int ic_mr_button_connected_11_light=0x7f020095;
public static int ic_mr_button_connected_12_dark=0x7f020096;
public static int ic_mr_button_connected_12_light=0x7f020097;
public static int ic_mr_button_connected_13_dark=0x7f020098;
public static int ic_mr_button_connected_13_light=0x7f020099;
public static int ic_mr_button_connected_14_dark=0x7f02009a;
public static int ic_mr_button_connected_14_light=0x7f02009b;
public static int ic_mr_button_connected_15_dark=0x7f02009c;
public static int ic_mr_button_connected_15_light=0x7f02009d;
public static int ic_mr_button_connected_16_dark=0x7f02009e;
public static int ic_mr_button_connected_16_light=0x7f02009f;
public static int ic_mr_button_connected_17_dark=0x7f0200a0;
public static int ic_mr_button_connected_17_light=0x7f0200a1;
public static int ic_mr_button_connected_18_dark=0x7f0200a2;
public static int ic_mr_button_connected_18_light=0x7f0200a3;
public static int ic_mr_button_connected_19_dark=0x7f0200a4;
public static int ic_mr_button_connected_19_light=0x7f0200a5;
public static int ic_mr_button_connected_20_dark=0x7f0200a6;
public static int ic_mr_button_connected_20_light=0x7f0200a7;
public static int ic_mr_button_connected_21_dark=0x7f0200a8;
public static int ic_mr_button_connected_21_light=0x7f0200a9;
public static int ic_mr_button_connected_22_dark=0x7f0200aa;
public static int ic_mr_button_connected_22_light=0x7f0200ab;
public static int ic_mr_button_connecting_00_dark=0x7f0200ac;
public static int ic_mr_button_connecting_00_light=0x7f0200ad;
public static int ic_mr_button_connecting_01_dark=0x7f0200ae;
public static int ic_mr_button_connecting_01_light=0x7f0200af;
public static int ic_mr_button_connecting_02_dark=0x7f0200b0;
public static int ic_mr_button_connecting_02_light=0x7f0200b1;
public static int ic_mr_button_connecting_03_dark=0x7f0200b2;
public static int ic_mr_button_connecting_03_light=0x7f0200b3;
public static int ic_mr_button_connecting_04_dark=0x7f0200b4;
public static int ic_mr_button_connecting_04_light=0x7f0200b5;
public static int ic_mr_button_connecting_05_dark=0x7f0200b6;
public static int ic_mr_button_connecting_05_light=0x7f0200b7;
public static int ic_mr_button_connecting_06_dark=0x7f0200b8;
public static int ic_mr_button_connecting_06_light=0x7f0200b9;
public static int ic_mr_button_connecting_07_dark=0x7f0200ba;
public static int ic_mr_button_connecting_07_light=0x7f0200bb;
public static int ic_mr_button_connecting_08_dark=0x7f0200bc;
public static int ic_mr_button_connecting_08_light=0x7f0200bd;
public static int ic_mr_button_connecting_09_dark=0x7f0200be;
public static int ic_mr_button_connecting_09_light=0x7f0200bf;
public static int ic_mr_button_connecting_10_dark=0x7f0200c0;
public static int ic_mr_button_connecting_10_light=0x7f0200c1;
public static int ic_mr_button_connecting_11_dark=0x7f0200c2;
public static int ic_mr_button_connecting_11_light=0x7f0200c3;
public static int ic_mr_button_connecting_12_dark=0x7f0200c4;
public static int ic_mr_button_connecting_12_light=0x7f0200c5;
public static int ic_mr_button_connecting_13_dark=0x7f0200c6;
public static int ic_mr_button_connecting_13_light=0x7f0200c7;
public static int ic_mr_button_connecting_14_dark=0x7f0200c8;
public static int ic_mr_button_connecting_14_light=0x7f0200c9;
public static int ic_mr_button_connecting_15_dark=0x7f0200ca;
public static int ic_mr_button_connecting_15_light=0x7f0200cb;
public static int ic_mr_button_connecting_16_dark=0x7f0200cc;
public static int ic_mr_button_connecting_16_light=0x7f0200cd;
public static int ic_mr_button_connecting_17_dark=0x7f0200ce;
public static int ic_mr_button_connecting_17_light=0x7f0200cf;
public static int ic_mr_button_connecting_18_dark=0x7f0200d0;
public static int ic_mr_button_connecting_18_light=0x7f0200d1;
public static int ic_mr_button_connecting_19_dark=0x7f0200d2;
public static int ic_mr_button_connecting_19_light=0x7f0200d3;
public static int ic_mr_button_connecting_20_dark=0x7f0200d4;
public static int ic_mr_button_connecting_20_light=0x7f0200d5;
public static int ic_mr_button_connecting_21_dark=0x7f0200d6;
public static int ic_mr_button_connecting_21_light=0x7f0200d7;
public static int ic_mr_button_connecting_22_dark=0x7f0200d8;
public static int ic_mr_button_connecting_22_light=0x7f0200d9;
public static int ic_mr_button_disabled_dark=0x7f0200da;
public static int ic_mr_button_disabled_light=0x7f0200db;
public static int ic_mr_button_disconnected_dark=0x7f0200dc;
public static int ic_mr_button_disconnected_light=0x7f0200dd;
public static int ic_mr_button_grey=0x7f0200de;
public static int ic_vol_type_speaker_dark=0x7f0200df;
public static int ic_vol_type_speaker_group_dark=0x7f0200e0;
public static int ic_vol_type_speaker_group_light=0x7f0200e1;
public static int ic_vol_type_speaker_light=0x7f0200e2;
public static int ic_vol_type_tv_dark=0x7f0200e3;
public static int ic_vol_type_tv_light=0x7f0200e4;
public static int mr_button_connected_dark=0x7f0200e5;
public static int mr_button_connected_light=0x7f0200e6;
public static int mr_button_connecting_dark=0x7f0200e7;
public static int mr_button_connecting_light=0x7f0200e8;
public static int mr_button_dark=0x7f0200e9;
public static int mr_button_light=0x7f0200ea;
public static int mr_dialog_close_dark=0x7f0200eb;
public static int mr_dialog_close_light=0x7f0200ec;
public static int mr_dialog_material_background_dark=0x7f0200ed;
public static int mr_dialog_material_background_light=0x7f0200ee;
public static int mr_group_collapse=0x7f0200ef;
public static int mr_group_expand=0x7f0200f0;
public static int mr_media_pause_dark=0x7f0200f1;
public static int mr_media_pause_light=0x7f0200f2;
public static int mr_media_play_dark=0x7f0200f3;
public static int mr_media_play_light=0x7f0200f4;
public static int mr_vol_type_audiotrack_dark=0x7f0200f5;
public static int mr_vol_type_audiotrack_light=0x7f0200f6;
public static int navigation_empty_icon=0x7f0200f7;
public static int notification_template_icon_bg=0x7f0200f8;
}
public static final class id {
public static int action0=0x7f080090;
public static int action_bar=0x7f08005e;
public static int action_bar_activity_content=0x7f080001;
public static int action_bar_container=0x7f08005d;
public static int action_bar_root=0x7f080059;
public static int action_bar_spinner=0x7f080002;
public static int action_bar_subtitle=0x7f08003e;
public static int action_bar_title=0x7f08003d;
public static int action_context_bar=0x7f08005f;
public static int action_divider=0x7f080094;
public static int action_menu_divider=0x7f080003;
public static int action_menu_presenter=0x7f080004;
public static int action_mode_bar=0x7f08005b;
public static int action_mode_bar_stub=0x7f08005a;
public static int action_mode_close_button=0x7f08003f;
public static int activity_chooser_view_content=0x7f080040;
public static int add=0x7f080015;
public static int alertTitle=0x7f08004c;
public static int all=0x7f080039;
public static int always=0x7f08001f;
public static int auto=0x7f08002b;
public static int beginning=0x7f08001c;
public static int bottom=0x7f080024;
public static int buttonPanel=0x7f080047;
public static int cancel_action=0x7f080091;
public static int center=0x7f08002c;
public static int center_horizontal=0x7f08002d;
public static int center_vertical=0x7f08002e;
public static int checkbox=0x7f080055;
public static int chronometer=0x7f080097;
public static int clip_horizontal=0x7f080035;
public static int clip_vertical=0x7f080036;
public static int collapseActionView=0x7f080020;
public static int contentPanel=0x7f08004d;
public static int custom=0x7f080053;
public static int customPanel=0x7f080052;
public static int decor_content_parent=0x7f08005c;
public static int default_activity_button=0x7f080043;
public static int design_bottom_sheet=0x7f08006e;
public static int design_menu_item_action_area=0x7f080075;
public static int design_menu_item_action_area_stub=0x7f080074;
public static int design_menu_item_text=0x7f080073;
public static int design_navigation_view=0x7f080072;
public static int disableHome=0x7f08000e;
public static int edit_query=0x7f080060;
public static int end=0x7f08001d;
public static int end_padder=0x7f08009c;
public static int enterAlways=0x7f080026;
public static int enterAlwaysCollapsed=0x7f080027;
public static int exitUntilCollapsed=0x7f080028;
public static int expand_activities_button=0x7f080041;
public static int expanded_menu=0x7f080054;
public static int fill=0x7f080037;
public static int fill_horizontal=0x7f080038;
public static int fill_vertical=0x7f08002f;
public static int fixed=0x7f08003b;
public static int home=0x7f080005;
public static int homeAsUp=0x7f08000f;
public static int icon=0x7f080045;
public static int ifRoom=0x7f080021;
public static int image=0x7f080042;
public static int info=0x7f08009b;
public static int item_touch_helper_previous_elevation=0x7f080000;
public static int left=0x7f080030;
public static int line1=0x7f080095;
public static int line3=0x7f080099;
public static int listMode=0x7f08000b;
public static int list_item=0x7f080044;
public static int media_actions=0x7f080093;
public static int middle=0x7f08001e;
public static int mini=0x7f08003a;
public static int mr_art=0x7f080082;
public static int mr_chooser_list=0x7f080077;
public static int mr_chooser_route_desc=0x7f08007a;
public static int mr_chooser_route_icon=0x7f080078;
public static int mr_chooser_route_name=0x7f080079;
public static int mr_close=0x7f08007f;
public static int mr_control_divider=0x7f080085;
public static int mr_control_play_pause=0x7f08008b;
public static int mr_control_subtitle=0x7f08008e;
public static int mr_control_title=0x7f08008d;
public static int mr_control_title_container=0x7f08008c;
public static int mr_custom_control=0x7f080080;
public static int mr_default_control=0x7f080081;
public static int mr_dialog_area=0x7f08007c;
public static int mr_expandable_area=0x7f08007b;
public static int mr_group_expand_collapse=0x7f08008f;
public static int mr_media_main_control=0x7f080083;
public static int mr_name=0x7f08007e;
public static int mr_playback_control=0x7f080084;
public static int mr_title_bar=0x7f08007d;
public static int mr_volume_control=0x7f080086;
public static int mr_volume_group_list=0x7f080087;
public static int mr_volume_item_icon=0x7f080089;
public static int mr_volume_slider=0x7f08008a;
public static int multiply=0x7f080016;
public static int navigation_header_container=0x7f080071;
public static int never=0x7f080022;
public static int none=0x7f080010;
public static int normal=0x7f08000c;
public static int parallax=0x7f080033;
public static int parentPanel=0x7f080049;
public static int pin=0x7f080034;
public static int progress_circular=0x7f080006;
public static int progress_horizontal=0x7f080007;
public static int radio=0x7f080057;
public static int right=0x7f080031;
public static int screen=0x7f080017;
public static int scroll=0x7f080029;
public static int scrollIndicatorDown=0x7f080051;
public static int scrollIndicatorUp=0x7f08004e;
public static int scrollView=0x7f08004f;
public static int scrollable=0x7f08003c;
public static int search_badge=0x7f080062;
public static int search_bar=0x7f080061;
public static int search_button=0x7f080063;
public static int search_close_btn=0x7f080068;
public static int search_edit_frame=0x7f080064;
public static int search_go_btn=0x7f08006a;
public static int search_mag_icon=0x7f080065;
public static int search_plate=0x7f080066;
public static int search_src_text=0x7f080067;
public static int search_voice_btn=0x7f08006b;
public static int select_dialog_listview=0x7f08006c;
public static int shortcut=0x7f080056;
public static int showCustom=0x7f080011;
public static int showHome=0x7f080012;
public static int showTitle=0x7f080013;
public static int sliding_tabs=0x7f08009d;
public static int snackbar_action=0x7f080070;
public static int snackbar_text=0x7f08006f;
public static int snap=0x7f08002a;
public static int spacer=0x7f080048;
public static int split_action_bar=0x7f080008;
public static int src_atop=0x7f080018;
public static int src_in=0x7f080019;
public static int src_over=0x7f08001a;
public static int start=0x7f080032;
public static int status_bar_latest_event_content=0x7f080092;
public static int submenuarrow=0x7f080058;
public static int submit_area=0x7f080069;
public static int tabMode=0x7f08000d;
public static int text=0x7f08009a;
public static int text2=0x7f080098;
public static int textSpacerNoButtons=0x7f080050;
public static int text_input_password_toggle=0x7f080076;
public static int time=0x7f080096;
public static int title=0x7f080046;
public static int title_template=0x7f08004b;
public static int toolbar=0x7f08009e;
public static int top=0x7f080025;
public static int topPanel=0x7f08004a;
public static int touch_outside=0x7f08006d;
public static int up=0x7f080009;
public static int useLogo=0x7f080014;
public static int view_offset_helper=0x7f08000a;
public static int volume_item_container=0x7f080088;
public static int withText=0x7f080023;
public static int wrap_content=0x7f08001b;
}
public static final class integer {
public static int abc_config_activityDefaultDur=0x7f0a0003;
public static int abc_config_activityShortDur=0x7f0a0004;
public static int app_bar_elevation_anim_duration=0x7f0a0008;
public static int bottom_sheet_slide_duration=0x7f0a0009;
public static int cancel_button_image_alpha=0x7f0a0005;
public static int design_snackbar_text_max_lines=0x7f0a0007;
public static int mr_controller_volume_group_list_animation_duration_ms=0x7f0a0000;
public static int mr_controller_volume_group_list_fade_in_duration_ms=0x7f0a0001;
public static int mr_controller_volume_group_list_fade_out_duration_ms=0x7f0a0002;
public static int status_bar_notification_info_maxnum=0x7f0a0006;
}
public static final class interpolator {
public static int mr_fast_out_slow_in=0x7f060000;
public static int mr_linear_out_slow_in=0x7f060001;
}
public static final class layout {
public static int abc_action_bar_title_item=0x7f040000;
public static int abc_action_bar_up_container=0x7f040001;
public static int abc_action_bar_view_list_nav_layout=0x7f040002;
public static int abc_action_menu_item_layout=0x7f040003;
public static int abc_action_menu_layout=0x7f040004;
public static int abc_action_mode_bar=0x7f040005;
public static int abc_action_mode_close_item_material=0x7f040006;
public static int abc_activity_chooser_view=0x7f040007;
public static int abc_activity_chooser_view_list_item=0x7f040008;
public static int abc_alert_dialog_button_bar_material=0x7f040009;
public static int abc_alert_dialog_material=0x7f04000a;
public static int abc_dialog_title_material=0x7f04000b;
public static int abc_expanded_menu_layout=0x7f04000c;
public static int abc_list_menu_item_checkbox=0x7f04000d;
public static int abc_list_menu_item_icon=0x7f04000e;
public static int abc_list_menu_item_layout=0x7f04000f;
public static int abc_list_menu_item_radio=0x7f040010;
public static int abc_popup_menu_header_item_layout=0x7f040011;
public static int abc_popup_menu_item_layout=0x7f040012;
public static int abc_screen_content_include=0x7f040013;
public static int abc_screen_simple=0x7f040014;
public static int abc_screen_simple_overlay_action_mode=0x7f040015;
public static int abc_screen_toolbar=0x7f040016;
public static int abc_search_dropdown_item_icons_2line=0x7f040017;
public static int abc_search_view=0x7f040018;
public static int abc_select_dialog_material=0x7f040019;
public static int design_bottom_sheet_dialog=0x7f04001a;
public static int design_layout_snackbar=0x7f04001b;
public static int design_layout_snackbar_include=0x7f04001c;
public static int design_layout_tab_icon=0x7f04001d;
public static int design_layout_tab_text=0x7f04001e;
public static int design_menu_item_action_area=0x7f04001f;
public static int design_navigation_item=0x7f040020;
public static int design_navigation_item_header=0x7f040021;
public static int design_navigation_item_separator=0x7f040022;
public static int design_navigation_item_subheader=0x7f040023;
public static int design_navigation_menu=0x7f040024;
public static int design_navigation_menu_item=0x7f040025;
public static int design_text_input_password_icon=0x7f040026;
public static int mr_chooser_dialog=0x7f040027;
public static int mr_chooser_list_item=0x7f040028;
public static int mr_controller_material_dialog_b=0x7f040029;
public static int mr_controller_volume_item=0x7f04002a;
public static int mr_playback_control=0x7f04002b;
public static int mr_volume_control=0x7f04002c;
public static int notification_media_action=0x7f04002d;
public static int notification_media_cancel_action=0x7f04002e;
public static int notification_template_big_media=0x7f04002f;
public static int notification_template_big_media_narrow=0x7f040030;
public static int notification_template_lines=0x7f040031;
public static int notification_template_media=0x7f040032;
public static int notification_template_part_chronometer=0x7f040033;
public static int notification_template_part_time=0x7f040034;
public static int select_dialog_item_material=0x7f040035;
public static int select_dialog_multichoice_material=0x7f040036;
public static int select_dialog_singlechoice_material=0x7f040037;
public static int support_simple_spinner_dropdown_item=0x7f040038;
public static int tabbar=0x7f040039;
public static int toolbar=0x7f04003a;
}
public static final class mipmap {
public static int icon=0x7f030000;
public static int launcher_foreground=0x7f030001;
}
public static final class string {
public static int abc_action_bar_home_description=0x7f090014;
public static int abc_action_bar_home_description_format=0x7f090015;
public static int abc_action_bar_home_subtitle_description_format=0x7f090016;
public static int abc_action_bar_up_description=0x7f090017;
public static int abc_action_menu_overflow_description=0x7f090018;
public static int abc_action_mode_done=0x7f090019;
public static int abc_activity_chooser_view_see_all=0x7f09001a;
public static int abc_activitychooserview_choose_application=0x7f09001b;
public static int abc_capital_off=0x7f09001c;
public static int abc_capital_on=0x7f09001d;
public static int abc_font_family_body_1_material=0x7f090029;
public static int abc_font_family_body_2_material=0x7f09002a;
public static int abc_font_family_button_material=0x7f09002b;
public static int abc_font_family_caption_material=0x7f09002c;
public static int abc_font_family_display_1_material=0x7f09002d;
public static int abc_font_family_display_2_material=0x7f09002e;
public static int abc_font_family_display_3_material=0x7f09002f;
public static int abc_font_family_display_4_material=0x7f090030;
public static int abc_font_family_headline_material=0x7f090031;
public static int abc_font_family_menu_material=0x7f090032;
public static int abc_font_family_subhead_material=0x7f090033;
public static int abc_font_family_title_material=0x7f090034;
public static int abc_search_hint=0x7f09001e;
public static int abc_searchview_description_clear=0x7f09001f;
public static int abc_searchview_description_query=0x7f090020;
public static int abc_searchview_description_search=0x7f090021;
public static int abc_searchview_description_submit=0x7f090022;
public static int abc_searchview_description_voice=0x7f090023;
public static int abc_shareactionprovider_share_with=0x7f090024;
public static int abc_shareactionprovider_share_with_application=0x7f090025;
public static int abc_toolbar_collapse_description=0x7f090026;
public static int appbar_scrolling_view_behavior=0x7f090035;
public static int bottom_sheet_behavior=0x7f090036;
public static int character_counter_pattern=0x7f090037;
public static int mr_button_content_description=0x7f090000;
public static int mr_cast_button_connected=0x7f090010;
public static int mr_cast_button_connecting=0x7f090011;
public static int mr_cast_button_disconnected=0x7f090012;
public static int mr_chooser_searching=0x7f090001;
public static int mr_chooser_title=0x7f090002;
public static int mr_controller_album_art=0x7f090003;
public static int mr_controller_casting_screen=0x7f090004;
public static int mr_controller_close_description=0x7f090005;
public static int mr_controller_collapse_group=0x7f090006;
public static int mr_controller_disconnect=0x7f090007;
public static int mr_controller_expand_group=0x7f090008;
public static int mr_controller_no_info_available=0x7f090009;
public static int mr_controller_no_media_selected=0x7f09000a;
public static int mr_controller_pause=0x7f09000b;
public static int mr_controller_play=0x7f09000c;
public static int mr_controller_stop=0x7f09000d;
public static int mr_controller_volume_slider=0x7f090013;
public static int mr_system_route_name=0x7f09000e;
public static int mr_user_route_category_name=0x7f09000f;
public static int search_menu_title=0x7f090027;
public static int status_bar_notification_info_overflow=0x7f090028;
}
public static final class style {
public static int AlertDialog_AppCompat=0x7f0b00a5;
public static int AlertDialog_AppCompat_Light=0x7f0b00a6;
public static int Animation_AppCompat_Dialog=0x7f0b00a7;
public static int Animation_AppCompat_DropDownUp=0x7f0b00a8;
public static int Animation_Design_BottomSheetDialog=0x7f0b0168;
public static int AppCompatDialogStyle=0x7f0b0182;
public static int Base_AlertDialog_AppCompat=0x7f0b00a9;
public static int Base_AlertDialog_AppCompat_Light=0x7f0b00aa;
public static int Base_Animation_AppCompat_Dialog=0x7f0b00ab;
public static int Base_Animation_AppCompat_DropDownUp=0x7f0b00ac;
public static int Base_CardView=0x7f0b0018;
public static int Base_DialogWindowTitle_AppCompat=0x7f0b00ad;
public static int Base_DialogWindowTitleBackground_AppCompat=0x7f0b00ae;
public static int Base_TextAppearance_AppCompat=0x7f0b0053;
public static int Base_TextAppearance_AppCompat_Body1=0x7f0b0054;
public static int Base_TextAppearance_AppCompat_Body2=0x7f0b0055;
public static int Base_TextAppearance_AppCompat_Button=0x7f0b003d;
public static int Base_TextAppearance_AppCompat_Caption=0x7f0b0056;
public static int Base_TextAppearance_AppCompat_Display1=0x7f0b0057;
public static int Base_TextAppearance_AppCompat_Display2=0x7f0b0058;
public static int Base_TextAppearance_AppCompat_Display3=0x7f0b0059;
public static int Base_TextAppearance_AppCompat_Display4=0x7f0b005a;
public static int Base_TextAppearance_AppCompat_Headline=0x7f0b005b;
public static int Base_TextAppearance_AppCompat_Inverse=0x7f0b0026;
public static int Base_TextAppearance_AppCompat_Large=0x7f0b005c;
public static int Base_TextAppearance_AppCompat_Large_Inverse=0x7f0b0027;
public static int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0b005d;
public static int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0b005e;
public static int Base_TextAppearance_AppCompat_Medium=0x7f0b005f;
public static int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f0b0028;
public static int Base_TextAppearance_AppCompat_Menu=0x7f0b0060;
public static int Base_TextAppearance_AppCompat_SearchResult=0x7f0b00af;
public static int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0b0061;
public static int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f0b0062;
public static int Base_TextAppearance_AppCompat_Small=0x7f0b0063;
public static int Base_TextAppearance_AppCompat_Small_Inverse=0x7f0b0029;
public static int Base_TextAppearance_AppCompat_Subhead=0x7f0b0064;
public static int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f0b002a;
public static int Base_TextAppearance_AppCompat_Title=0x7f0b0065;
public static int Base_TextAppearance_AppCompat_Title_Inverse=0x7f0b002b;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0b009e;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0b0066;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0b0067;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0b0068;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0b0069;
public static int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0b006a;
public static int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0b006b;
public static int Base_TextAppearance_AppCompat_Widget_Button=0x7f0b006c;
public static int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0b009f;
public static int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f0b00b0;
public static int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0b006d;
public static int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0b006e;
public static int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0b006f;
public static int Base_TextAppearance_AppCompat_Widget_Switch=0x7f0b0070;
public static int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0b0071;
public static int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0b00b1;
public static int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0b0072;
public static int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0b0073;
public static int Base_Theme_AppCompat=0x7f0b0074;
public static int Base_Theme_AppCompat_CompactMenu=0x7f0b00b2;
public static int Base_Theme_AppCompat_Dialog=0x7f0b002c;
public static int Base_Theme_AppCompat_Dialog_Alert=0x7f0b00b3;
public static int Base_Theme_AppCompat_Dialog_FixedSize=0x7f0b00b4;
public static int Base_Theme_AppCompat_Dialog_MinWidth=0x7f0b00b5;
public static int Base_Theme_AppCompat_DialogWhenLarge=0x7f0b001c;
public static int Base_Theme_AppCompat_Light=0x7f0b0075;
public static int Base_Theme_AppCompat_Light_DarkActionBar=0x7f0b00b6;
public static int Base_Theme_AppCompat_Light_Dialog=0x7f0b002d;
public static int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f0b00b7;
public static int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f0b00b8;
public static int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f0b00b9;
public static int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f0b001d;
public static int Base_ThemeOverlay_AppCompat=0x7f0b00ba;
public static int Base_ThemeOverlay_AppCompat_ActionBar=0x7f0b00bb;
public static int Base_ThemeOverlay_AppCompat_Dark=0x7f0b00bc;
public static int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0b00bd;
public static int Base_ThemeOverlay_AppCompat_Dialog=0x7f0b002e;
public static int Base_ThemeOverlay_AppCompat_Dialog_Alert=0x7f0b00be;
public static int Base_ThemeOverlay_AppCompat_Light=0x7f0b00bf;
public static int Base_V11_Theme_AppCompat_Dialog=0x7f0b002f;
public static int Base_V11_Theme_AppCompat_Light_Dialog=0x7f0b0030;
public static int Base_V11_ThemeOverlay_AppCompat_Dialog=0x7f0b0031;
public static int Base_V12_Widget_AppCompat_AutoCompleteTextView=0x7f0b0039;
public static int Base_V12_Widget_AppCompat_EditText=0x7f0b003a;
public static int Base_V21_Theme_AppCompat=0x7f0b0076;
public static int Base_V21_Theme_AppCompat_Dialog=0x7f0b0077;
public static int Base_V21_Theme_AppCompat_Light=0x7f0b0078;
public static int Base_V21_Theme_AppCompat_Light_Dialog=0x7f0b0079;
public static int Base_V21_ThemeOverlay_AppCompat_Dialog=0x7f0b007a;
public static int Base_V22_Theme_AppCompat=0x7f0b009c;
public static int Base_V22_Theme_AppCompat_Light=0x7f0b009d;
public static int Base_V23_Theme_AppCompat=0x7f0b00a0;
public static int Base_V23_Theme_AppCompat_Light=0x7f0b00a1;
public static int Base_V7_Theme_AppCompat=0x7f0b00c0;
public static int Base_V7_Theme_AppCompat_Dialog=0x7f0b00c1;
public static int Base_V7_Theme_AppCompat_Light=0x7f0b00c2;
public static int Base_V7_Theme_AppCompat_Light_Dialog=0x7f0b00c3;
public static int Base_V7_ThemeOverlay_AppCompat_Dialog=0x7f0b00c4;
public static int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f0b00c5;
public static int Base_V7_Widget_AppCompat_EditText=0x7f0b00c6;
public static int Base_Widget_AppCompat_ActionBar=0x7f0b00c7;
public static int Base_Widget_AppCompat_ActionBar_Solid=0x7f0b00c8;
public static int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0b00c9;
public static int Base_Widget_AppCompat_ActionBar_TabText=0x7f0b007b;
public static int Base_Widget_AppCompat_ActionBar_TabView=0x7f0b007c;
public static int Base_Widget_AppCompat_ActionButton=0x7f0b007d;
public static int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f0b007e;
public static int Base_Widget_AppCompat_ActionButton_Overflow=0x7f0b007f;
public static int Base_Widget_AppCompat_ActionMode=0x7f0b00ca;
public static int Base_Widget_AppCompat_ActivityChooserView=0x7f0b00cb;
public static int Base_Widget_AppCompat_AutoCompleteTextView=0x7f0b003b;
public static int Base_Widget_AppCompat_Button=0x7f0b0080;
public static int Base_Widget_AppCompat_Button_Borderless=0x7f0b0081;
public static int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f0b0082;
public static int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0b00cc;
public static int Base_Widget_AppCompat_Button_Colored=0x7f0b00a2;
public static int Base_Widget_AppCompat_Button_Small=0x7f0b0083;
public static int Base_Widget_AppCompat_ButtonBar=0x7f0b0084;
public static int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0b00cd;
public static int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f0b0085;
public static int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f0b0086;
public static int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0b00ce;
public static int Base_Widget_AppCompat_DrawerArrowToggle=0x7f0b001b;
public static int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0b00cf;
public static int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f0b0087;
public static int Base_Widget_AppCompat_EditText=0x7f0b003c;
public static int Base_Widget_AppCompat_ImageButton=0x7f0b0088;
public static int Base_Widget_AppCompat_Light_ActionBar=0x7f0b00d0;
public static int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0b00d1;
public static int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0b00d2;
public static int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f0b0089;
public static int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0b008a;
public static int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f0b008b;
public static int Base_Widget_AppCompat_Light_PopupMenu=0x7f0b008c;
public static int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0b008d;
public static int Base_Widget_AppCompat_ListMenuView=0x7f0b00d3;
public static int Base_Widget_AppCompat_ListPopupWindow=0x7f0b008e;
public static int Base_Widget_AppCompat_ListView=0x7f0b008f;
public static int Base_Widget_AppCompat_ListView_DropDown=0x7f0b0090;
public static int Base_Widget_AppCompat_ListView_Menu=0x7f0b0091;
public static int Base_Widget_AppCompat_PopupMenu=0x7f0b0092;
public static int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f0b0093;
public static int Base_Widget_AppCompat_PopupWindow=0x7f0b00d4;
public static int Base_Widget_AppCompat_ProgressBar=0x7f0b0032;
public static int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f0b0033;
public static int Base_Widget_AppCompat_RatingBar=0x7f0b0094;
public static int Base_Widget_AppCompat_RatingBar_Indicator=0x7f0b00a3;
public static int Base_Widget_AppCompat_RatingBar_Small=0x7f0b00a4;
public static int Base_Widget_AppCompat_SearchView=0x7f0b00d5;
public static int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0b00d6;
public static int Base_Widget_AppCompat_SeekBar=0x7f0b0095;
public static int Base_Widget_AppCompat_SeekBar_Discrete=0x7f0b00d7;
public static int Base_Widget_AppCompat_Spinner=0x7f0b0096;
public static int Base_Widget_AppCompat_Spinner_Underlined=0x7f0b001e;
public static int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f0b0097;
public static int Base_Widget_AppCompat_Toolbar=0x7f0b00d8;
public static int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f0b0098;
public static int Base_Widget_Design_AppBarLayout=0x7f0b0169;
public static int Base_Widget_Design_TabLayout=0x7f0b016a;
public static int CardView=0x7f0b0017;
public static int CardView_Dark=0x7f0b0019;
public static int CardView_Light=0x7f0b001a;
public static int MainTheme=0x7f0b0180;
/** Base theme applied no matter what API
*/
public static int MainTheme_Base=0x7f0b0181;
public static int Platform_AppCompat=0x7f0b0034;
public static int Platform_AppCompat_Light=0x7f0b0035;
public static int Platform_ThemeOverlay_AppCompat=0x7f0b0099;
public static int Platform_ThemeOverlay_AppCompat_Dark=0x7f0b009a;
public static int Platform_ThemeOverlay_AppCompat_Light=0x7f0b009b;
public static int Platform_V11_AppCompat=0x7f0b0036;
public static int Platform_V11_AppCompat_Light=0x7f0b0037;
public static int Platform_V14_AppCompat=0x7f0b003e;
public static int Platform_V14_AppCompat_Light=0x7f0b003f;
public static int Platform_Widget_AppCompat_Spinner=0x7f0b0038;
public static int RtlOverlay_DialogWindowTitle_AppCompat=0x7f0b0045;
public static int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f0b0046;
public static int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f0b0047;
public static int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f0b0048;
public static int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f0b0049;
public static int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f0b004a;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f0b004b;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f0b004c;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f0b004d;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f0b004e;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f0b004f;
public static int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f0b0050;
public static int RtlUnderlay_Widget_AppCompat_ActionButton=0x7f0b0051;
public static int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow=0x7f0b0052;
public static int TextAppearance_AppCompat=0x7f0b00d9;
public static int TextAppearance_AppCompat_Body1=0x7f0b00da;
public static int TextAppearance_AppCompat_Body2=0x7f0b00db;
public static int TextAppearance_AppCompat_Button=0x7f0b00dc;
public static int TextAppearance_AppCompat_Caption=0x7f0b00dd;
public static int TextAppearance_AppCompat_Display1=0x7f0b00de;
public static int TextAppearance_AppCompat_Display2=0x7f0b00df;
public static int TextAppearance_AppCompat_Display3=0x7f0b00e0;
public static int TextAppearance_AppCompat_Display4=0x7f0b00e1;
public static int TextAppearance_AppCompat_Headline=0x7f0b00e2;
public static int TextAppearance_AppCompat_Inverse=0x7f0b00e3;
public static int TextAppearance_AppCompat_Large=0x7f0b00e4;
public static int TextAppearance_AppCompat_Large_Inverse=0x7f0b00e5;
public static int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0b00e6;
public static int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0b00e7;
public static int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0b00e8;
public static int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0b00e9;
public static int TextAppearance_AppCompat_Medium=0x7f0b00ea;
public static int TextAppearance_AppCompat_Medium_Inverse=0x7f0b00eb;
public static int TextAppearance_AppCompat_Menu=0x7f0b00ec;
public static int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0b00ed;
public static int TextAppearance_AppCompat_SearchResult_Title=0x7f0b00ee;
public static int TextAppearance_AppCompat_Small=0x7f0b00ef;
public static int TextAppearance_AppCompat_Small_Inverse=0x7f0b00f0;
public static int TextAppearance_AppCompat_Subhead=0x7f0b00f1;
public static int TextAppearance_AppCompat_Subhead_Inverse=0x7f0b00f2;
public static int TextAppearance_AppCompat_Title=0x7f0b00f3;
public static int TextAppearance_AppCompat_Title_Inverse=0x7f0b00f4;
public static int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0b00f5;
public static int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0b00f6;
public static int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0b00f7;
public static int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0b00f8;
public static int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0b00f9;
public static int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0b00fa;
public static int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0b00fb;
public static int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0b00fc;
public static int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0b00fd;
public static int TextAppearance_AppCompat_Widget_Button=0x7f0b00fe;
public static int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0b00ff;
public static int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0b0100;
public static int TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0b0101;
public static int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0b0102;
public static int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0b0103;
public static int TextAppearance_AppCompat_Widget_Switch=0x7f0b0104;
public static int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0b0105;
public static int TextAppearance_Design_CollapsingToolbar_Expanded=0x7f0b016b;
public static int TextAppearance_Design_Counter=0x7f0b016c;
public static int TextAppearance_Design_Counter_Overflow=0x7f0b016d;
public static int TextAppearance_Design_Error=0x7f0b016e;
public static int TextAppearance_Design_Hint=0x7f0b016f;
public static int TextAppearance_Design_Snackbar_Message=0x7f0b0170;
public static int TextAppearance_Design_Tab=0x7f0b0171;
public static int TextAppearance_StatusBar_EventContent=0x7f0b0040;
public static int TextAppearance_StatusBar_EventContent_Info=0x7f0b0041;
public static int TextAppearance_StatusBar_EventContent_Line2=0x7f0b0042;
public static int TextAppearance_StatusBar_EventContent_Time=0x7f0b0043;
public static int TextAppearance_StatusBar_EventContent_Title=0x7f0b0044;
public static int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0b0106;
public static int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0b0107;
public static int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0b0108;
public static int Theme_AppCompat=0x7f0b0109;
public static int Theme_AppCompat_CompactMenu=0x7f0b010a;
public static int Theme_AppCompat_DayNight=0x7f0b001f;
public static int Theme_AppCompat_DayNight_DarkActionBar=0x7f0b0020;
public static int Theme_AppCompat_DayNight_Dialog=0x7f0b0021;
public static int Theme_AppCompat_DayNight_Dialog_Alert=0x7f0b0022;
public static int Theme_AppCompat_DayNight_Dialog_MinWidth=0x7f0b0023;
public static int Theme_AppCompat_DayNight_DialogWhenLarge=0x7f0b0024;
public static int Theme_AppCompat_DayNight_NoActionBar=0x7f0b0025;
public static int Theme_AppCompat_Dialog=0x7f0b010b;
public static int Theme_AppCompat_Dialog_Alert=0x7f0b010c;
public static int Theme_AppCompat_Dialog_MinWidth=0x7f0b010d;
public static int Theme_AppCompat_DialogWhenLarge=0x7f0b010e;
public static int Theme_AppCompat_Light=0x7f0b010f;
public static int Theme_AppCompat_Light_DarkActionBar=0x7f0b0110;
public static int Theme_AppCompat_Light_Dialog=0x7f0b0111;
public static int Theme_AppCompat_Light_Dialog_Alert=0x7f0b0112;
public static int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0b0113;
public static int Theme_AppCompat_Light_DialogWhenLarge=0x7f0b0114;
public static int Theme_AppCompat_Light_NoActionBar=0x7f0b0115;
public static int Theme_AppCompat_NoActionBar=0x7f0b0116;
public static int Theme_Design=0x7f0b0172;
public static int Theme_Design_BottomSheetDialog=0x7f0b0173;
public static int Theme_Design_Light=0x7f0b0174;
public static int Theme_Design_Light_BottomSheetDialog=0x7f0b0175;
public static int Theme_Design_Light_NoActionBar=0x7f0b0176;
public static int Theme_Design_NoActionBar=0x7f0b0177;
public static int Theme_MediaRouter=0x7f0b0000;
public static int Theme_MediaRouter_Light=0x7f0b0001;
public static int Theme_MediaRouter_Light_DarkControlPanel=0x7f0b0002;
public static int Theme_MediaRouter_LightControlPanel=0x7f0b0003;
public static int ThemeOverlay_AppCompat=0x7f0b0117;
public static int ThemeOverlay_AppCompat_ActionBar=0x7f0b0118;
public static int ThemeOverlay_AppCompat_Dark=0x7f0b0119;
public static int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0b011a;
public static int ThemeOverlay_AppCompat_Dialog=0x7f0b011b;
public static int ThemeOverlay_AppCompat_Dialog_Alert=0x7f0b011c;
public static int ThemeOverlay_AppCompat_Light=0x7f0b011d;
public static int Widget_AppCompat_ActionBar=0x7f0b011e;
public static int Widget_AppCompat_ActionBar_Solid=0x7f0b011f;
public static int Widget_AppCompat_ActionBar_TabBar=0x7f0b0120;
public static int Widget_AppCompat_ActionBar_TabText=0x7f0b0121;
public static int Widget_AppCompat_ActionBar_TabView=0x7f0b0122;
public static int Widget_AppCompat_ActionButton=0x7f0b0123;
public static int Widget_AppCompat_ActionButton_CloseMode=0x7f0b0124;
public static int Widget_AppCompat_ActionButton_Overflow=0x7f0b0125;
public static int Widget_AppCompat_ActionMode=0x7f0b0126;
public static int Widget_AppCompat_ActivityChooserView=0x7f0b0127;
public static int Widget_AppCompat_AutoCompleteTextView=0x7f0b0128;
public static int Widget_AppCompat_Button=0x7f0b0129;
public static int Widget_AppCompat_Button_Borderless=0x7f0b012a;
public static int Widget_AppCompat_Button_Borderless_Colored=0x7f0b012b;
public static int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0b012c;
public static int Widget_AppCompat_Button_Colored=0x7f0b012d;
public static int Widget_AppCompat_Button_Small=0x7f0b012e;
public static int Widget_AppCompat_ButtonBar=0x7f0b012f;
public static int Widget_AppCompat_ButtonBar_AlertDialog=0x7f0b0130;
public static int Widget_AppCompat_CompoundButton_CheckBox=0x7f0b0131;
public static int Widget_AppCompat_CompoundButton_RadioButton=0x7f0b0132;
public static int Widget_AppCompat_CompoundButton_Switch=0x7f0b0133;
public static int Widget_AppCompat_DrawerArrowToggle=0x7f0b0134;
public static int Widget_AppCompat_DropDownItem_Spinner=0x7f0b0135;
public static int Widget_AppCompat_EditText=0x7f0b0136;
public static int Widget_AppCompat_ImageButton=0x7f0b0137;
public static int Widget_AppCompat_Light_ActionBar=0x7f0b0138;
public static int Widget_AppCompat_Light_ActionBar_Solid=0x7f0b0139;
public static int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f0b013a;
public static int Widget_AppCompat_Light_ActionBar_TabBar=0x7f0b013b;
public static int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f0b013c;
public static int Widget_AppCompat_Light_ActionBar_TabText=0x7f0b013d;
public static int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0b013e;
public static int Widget_AppCompat_Light_ActionBar_TabView=0x7f0b013f;
public static int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f0b0140;
public static int Widget_AppCompat_Light_ActionButton=0x7f0b0141;
public static int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f0b0142;
public static int Widget_AppCompat_Light_ActionButton_Overflow=0x7f0b0143;
public static int Widget_AppCompat_Light_ActionMode_Inverse=0x7f0b0144;
public static int Widget_AppCompat_Light_ActivityChooserView=0x7f0b0145;
public static int Widget_AppCompat_Light_AutoCompleteTextView=0x7f0b0146;
public static int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f0b0147;
public static int Widget_AppCompat_Light_ListPopupWindow=0x7f0b0148;
public static int Widget_AppCompat_Light_ListView_DropDown=0x7f0b0149;
public static int Widget_AppCompat_Light_PopupMenu=0x7f0b014a;
public static int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0b014b;
public static int Widget_AppCompat_Light_SearchView=0x7f0b014c;
public static int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f0b014d;
public static int Widget_AppCompat_ListMenuView=0x7f0b014e;
public static int Widget_AppCompat_ListPopupWindow=0x7f0b014f;
public static int Widget_AppCompat_ListView=0x7f0b0150;
public static int Widget_AppCompat_ListView_DropDown=0x7f0b0151;
public static int Widget_AppCompat_ListView_Menu=0x7f0b0152;
public static int Widget_AppCompat_PopupMenu=0x7f0b0153;
public static int Widget_AppCompat_PopupMenu_Overflow=0x7f0b0154;
public static int Widget_AppCompat_PopupWindow=0x7f0b0155;
public static int Widget_AppCompat_ProgressBar=0x7f0b0156;
public static int Widget_AppCompat_ProgressBar_Horizontal=0x7f0b0157;
public static int Widget_AppCompat_RatingBar=0x7f0b0158;
public static int Widget_AppCompat_RatingBar_Indicator=0x7f0b0159;
public static int Widget_AppCompat_RatingBar_Small=0x7f0b015a;
public static int Widget_AppCompat_SearchView=0x7f0b015b;
public static int Widget_AppCompat_SearchView_ActionBar=0x7f0b015c;
public static int Widget_AppCompat_SeekBar=0x7f0b015d;
public static int Widget_AppCompat_SeekBar_Discrete=0x7f0b015e;
public static int Widget_AppCompat_Spinner=0x7f0b015f;
public static int Widget_AppCompat_Spinner_DropDown=0x7f0b0160;
public static int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f0b0161;
public static int Widget_AppCompat_Spinner_Underlined=0x7f0b0162;
public static int Widget_AppCompat_TextView_SpinnerItem=0x7f0b0163;
public static int Widget_AppCompat_Toolbar=0x7f0b0164;
public static int Widget_AppCompat_Toolbar_Button_Navigation=0x7f0b0165;
public static int Widget_Design_AppBarLayout=0x7f0b0167;
public static int Widget_Design_BottomSheet_Modal=0x7f0b0178;
public static int Widget_Design_CollapsingToolbar=0x7f0b0179;
public static int Widget_Design_CoordinatorLayout=0x7f0b017a;
public static int Widget_Design_FloatingActionButton=0x7f0b017b;
public static int Widget_Design_NavigationView=0x7f0b017c;
public static int Widget_Design_ScrimInsetsFrameLayout=0x7f0b017d;
public static int Widget_Design_Snackbar=0x7f0b017e;
public static int Widget_Design_TabLayout=0x7f0b0166;
public static int Widget_Design_TextInputLayout=0x7f0b017f;
public static int Widget_MediaRouter_ChooserText=0x7f0b0004;
public static int Widget_MediaRouter_ChooserText_Primary=0x7f0b0005;
public static int Widget_MediaRouter_ChooserText_Primary_Dark=0x7f0b0006;
public static int Widget_MediaRouter_ChooserText_Primary_Light=0x7f0b0007;
public static int Widget_MediaRouter_ChooserText_Secondary=0x7f0b0008;
public static int Widget_MediaRouter_ChooserText_Secondary_Dark=0x7f0b0009;
public static int Widget_MediaRouter_ChooserText_Secondary_Light=0x7f0b000a;
public static int Widget_MediaRouter_ControllerText=0x7f0b000b;
public static int Widget_MediaRouter_ControllerText_Primary=0x7f0b000c;
public static int Widget_MediaRouter_ControllerText_Primary_Dark=0x7f0b000d;
public static int Widget_MediaRouter_ControllerText_Primary_Light=0x7f0b000e;
public static int Widget_MediaRouter_ControllerText_Secondary=0x7f0b000f;
public static int Widget_MediaRouter_ControllerText_Secondary_Dark=0x7f0b0010;
public static int Widget_MediaRouter_ControllerText_Secondary_Light=0x7f0b0011;
public static int Widget_MediaRouter_ControllerText_Title=0x7f0b0012;
public static int Widget_MediaRouter_ControllerText_Title_Dark=0x7f0b0013;
public static int Widget_MediaRouter_ControllerText_Title_Light=0x7f0b0014;
public static int Widget_MediaRouter_Light_MediaRouteButton=0x7f0b0015;
public static int Widget_MediaRouter_MediaRouteButton=0x7f0b0016;
}
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 android.support.v4:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundSplit android.support.v4:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundStacked android.support.v4:backgroundStacked}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetEnd android.support.v4:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetEndWithActions android.support.v4:contentInsetEndWithActions}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetLeft android.support.v4:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetRight android.support.v4:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetStart android.support.v4:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetStartWithNavigation android.support.v4:contentInsetStartWithNavigation}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_customNavigationLayout android.support.v4:customNavigationLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_displayOptions android.support.v4:displayOptions}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_divider android.support.v4:divider}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_elevation android.support.v4:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_height android.support.v4:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_hideOnContentScroll android.support.v4:hideOnContentScroll}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeAsUpIndicator android.support.v4:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeLayout android.support.v4:homeLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_icon android.support.v4:icon}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_indeterminateProgressStyle android.support.v4:indeterminateProgressStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_itemPadding android.support.v4:itemPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_logo android.support.v4:logo}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_navigationMode android.support.v4:navigationMode}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_popupTheme android.support.v4:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarPadding android.support.v4:progressBarPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarStyle android.support.v4:progressBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitle android.support.v4:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitleTextStyle android.support.v4:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_title android.support.v4:title}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_titleTextStyle android.support.v4:titleTextStyle}</code></td><td></td></tr>
</table>
@see #ActionBar_background
@see #ActionBar_backgroundSplit
@see #ActionBar_backgroundStacked
@see #ActionBar_contentInsetEnd
@see #ActionBar_contentInsetEndWithActions
@see #ActionBar_contentInsetLeft
@see #ActionBar_contentInsetRight
@see #ActionBar_contentInsetStart
@see #ActionBar_contentInsetStartWithNavigation
@see #ActionBar_customNavigationLayout
@see #ActionBar_displayOptions
@see #ActionBar_divider
@see #ActionBar_elevation
@see #ActionBar_height
@see #ActionBar_hideOnContentScroll
@see #ActionBar_homeAsUpIndicator
@see #ActionBar_homeLayout
@see #ActionBar_icon
@see #ActionBar_indeterminateProgressStyle
@see #ActionBar_itemPadding
@see #ActionBar_logo
@see #ActionBar_navigationMode
@see #ActionBar_popupTheme
@see #ActionBar_progressBarPadding
@see #ActionBar_progressBarStyle
@see #ActionBar_subtitle
@see #ActionBar_subtitleTextStyle
@see #ActionBar_title
@see #ActionBar_titleTextStyle
*/
public static final int[] ActionBar = {
0x7f010020, 0x7f010022, 0x7f010023, 0x7f010024,
0x7f010025, 0x7f010026, 0x7f010027, 0x7f010028,
0x7f010029, 0x7f01002a, 0x7f01002b, 0x7f01002c,
0x7f01002d, 0x7f01002e, 0x7f01002f, 0x7f010030,
0x7f010031, 0x7f010032, 0x7f010033, 0x7f010034,
0x7f010035, 0x7f010036, 0x7f010037, 0x7f010038,
0x7f010039, 0x7f01003a, 0x7f01003b, 0x7f01003c,
0x7f010079
};
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:background
*/
public static int ActionBar_background = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:backgroundSplit
*/
public static int ActionBar_backgroundSplit = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:backgroundStacked
*/
public static int ActionBar_backgroundStacked = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetEnd
*/
public static int ActionBar_contentInsetEnd = 21;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentInsetEndWithActions}
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 android.support.v4:contentInsetEndWithActions
*/
public static int ActionBar_contentInsetEndWithActions = 25;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetLeft
*/
public static int ActionBar_contentInsetLeft = 22;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetRight
*/
public static int ActionBar_contentInsetRight = 23;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetStart
*/
public static int ActionBar_contentInsetStart = 20;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentInsetStartWithNavigation}
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 android.support.v4:contentInsetStartWithNavigation
*/
public static int ActionBar_contentInsetStartWithNavigation = 24;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:customNavigationLayout
*/
public static int ActionBar_customNavigationLayout = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:displayOptions
*/
public static int ActionBar_displayOptions = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:divider
*/
public static int ActionBar_divider = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:elevation
*/
public static int ActionBar_elevation = 26;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:height
*/
public static int ActionBar_height = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:hideOnContentScroll
*/
public static int ActionBar_hideOnContentScroll = 19;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:homeAsUpIndicator
*/
public static int ActionBar_homeAsUpIndicator = 28;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:homeLayout
*/
public static int ActionBar_homeLayout = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:icon
*/
public static int ActionBar_icon = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:indeterminateProgressStyle
*/
public static int ActionBar_indeterminateProgressStyle = 16;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:itemPadding
*/
public static int ActionBar_itemPadding = 18;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:logo
*/
public static int ActionBar_logo = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:navigationMode
*/
public static int ActionBar_navigationMode = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:popupTheme
*/
public static int ActionBar_popupTheme = 27;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:progressBarPadding
*/
public static int ActionBar_progressBarPadding = 17;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:progressBarStyle
*/
public static int ActionBar_progressBarStyle = 15;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:subtitle
*/
public static int ActionBar_subtitle = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:subtitleTextStyle
*/
public static int ActionBar_subtitleTextStyle = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:title
*/
public static int ActionBar_title = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleTextStyle
*/
public static 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 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 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 android.support.v4:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_backgroundSplit android.support.v4:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_closeItemLayout android.support.v4:closeItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_height android.support.v4:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_subtitleTextStyle android.support.v4:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_titleTextStyle android.support.v4: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 = {
0x7f010020, 0x7f010026, 0x7f010027, 0x7f01002b,
0x7f01002d, 0x7f01003d
};
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:background
*/
public static int ActionMode_background = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:backgroundSplit
*/
public static int ActionMode_backgroundSplit = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:closeItemLayout
*/
public static int ActionMode_closeItemLayout = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:height
*/
public static int ActionMode_height = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:subtitleTextStyle
*/
public static int ActionMode_subtitleTextStyle = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleTextStyle
*/
public static 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 android.support.v4:expandActivityOverflowButtonDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #ActivityChooserView_initialActivityCount android.support.v4:initialActivityCount}</code></td><td></td></tr>
</table>
@see #ActivityChooserView_expandActivityOverflowButtonDrawable
@see #ActivityChooserView_initialActivityCount
*/
public static final int[] ActivityChooserView = {
0x7f01003e, 0x7f01003f
};
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:expandActivityOverflowButtonDrawable
*/
public static int ActivityChooserView_expandActivityOverflowButtonDrawable = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:initialActivityCount
*/
public static 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 android.support.v4:buttonPanelSideLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listItemLayout android.support.v4:listItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listLayout android.support.v4:listLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_multiChoiceItemLayout android.support.v4:multiChoiceItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_singleChoiceItemLayout android.support.v4: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, 0x7f010040, 0x7f010041, 0x7f010042,
0x7f010043, 0x7f010044
};
/**
<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 int AlertDialog_android_layout = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:buttonPanelSideLayout
*/
public static int AlertDialog_buttonPanelSideLayout = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:listItemLayout
*/
public static int AlertDialog_listItemLayout = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:listLayout
*/
public static int AlertDialog_listLayout = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:multiChoiceItemLayout
*/
public static int AlertDialog_multiChoiceItemLayout = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:singleChoiceItemLayout
*/
public static int AlertDialog_singleChoiceItemLayout = 4;
/** Attributes that can be used with a AppBarLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppBarLayout_android_background android:background}</code></td><td></td></tr>
<tr><td><code>{@link #AppBarLayout_elevation android.support.v4:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #AppBarLayout_expanded android.support.v4:expanded}</code></td><td></td></tr>
</table>
@see #AppBarLayout_android_background
@see #AppBarLayout_elevation
@see #AppBarLayout_expanded
*/
public static final int[] AppBarLayout = {
0x010100d4, 0x7f01003b, 0x7f010100
};
/**
<p>This symbol is the offset where the {@link android.R.attr#background}
attribute's value can be found in the {@link #AppBarLayout} array.
@attr name android:background
*/
public static int AppBarLayout_android_background = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#elevation}
attribute's value can be found in the {@link #AppBarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:elevation
*/
public static int AppBarLayout_elevation = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expanded}
attribute's value can be found in the {@link #AppBarLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:expanded
*/
public static int AppBarLayout_expanded = 2;
/** Attributes that can be used with a AppBarLayoutStates.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppBarLayoutStates_state_collapsed android.support.v4:state_collapsed}</code></td><td></td></tr>
<tr><td><code>{@link #AppBarLayoutStates_state_collapsible android.support.v4:state_collapsible}</code></td><td></td></tr>
</table>
@see #AppBarLayoutStates_state_collapsed
@see #AppBarLayoutStates_state_collapsible
*/
public static final int[] AppBarLayoutStates = {
0x7f010101, 0x7f010102
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#state_collapsed}
attribute's value can be found in the {@link #AppBarLayoutStates} 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 android.support.v4:state_collapsed
*/
public static int AppBarLayoutStates_state_collapsed = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#state_collapsible}
attribute's value can be found in the {@link #AppBarLayoutStates} 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 android.support.v4:state_collapsible
*/
public static int AppBarLayoutStates_state_collapsible = 1;
/** Attributes that can be used with a AppBarLayout_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppBarLayout_Layout_layout_scrollFlags android.support.v4:layout_scrollFlags}</code></td><td></td></tr>
<tr><td><code>{@link #AppBarLayout_Layout_layout_scrollInterpolator android.support.v4:layout_scrollInterpolator}</code></td><td></td></tr>
</table>
@see #AppBarLayout_Layout_layout_scrollFlags
@see #AppBarLayout_Layout_layout_scrollInterpolator
*/
public static final int[] AppBarLayout_Layout = {
0x7f010103, 0x7f010104
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_scrollFlags}
attribute's value can be found in the {@link #AppBarLayout_Layout} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>scroll</code></td><td>0x1</td><td></td></tr>
<tr><td><code>exitUntilCollapsed</code></td><td>0x2</td><td></td></tr>
<tr><td><code>enterAlways</code></td><td>0x4</td><td></td></tr>
<tr><td><code>enterAlwaysCollapsed</code></td><td>0x8</td><td></td></tr>
<tr><td><code>snap</code></td><td>0x10</td><td></td></tr>
</table>
@attr name android.support.v4:layout_scrollFlags
*/
public static int AppBarLayout_Layout_layout_scrollFlags = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_scrollInterpolator}
attribute's value can be found in the {@link #AppBarLayout_Layout} 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 android.support.v4:layout_scrollInterpolator
*/
public static int AppBarLayout_Layout_layout_scrollInterpolator = 1;
/** Attributes that can be used with a AppCompatImageView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatImageView_android_src android:src}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatImageView_srcCompat android.support.v4:srcCompat}</code></td><td></td></tr>
</table>
@see #AppCompatImageView_android_src
@see #AppCompatImageView_srcCompat
*/
public static final int[] AppCompatImageView = {
0x01010119, 0x7f010045
};
/**
<p>This symbol is the offset where the {@link android.R.attr#src}
attribute's value can be found in the {@link #AppCompatImageView} array.
@attr name android:src
*/
public static int AppCompatImageView_android_src = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#srcCompat}
attribute's value can be found in the {@link #AppCompatImageView} 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 android.support.v4:srcCompat
*/
public static int AppCompatImageView_srcCompat = 1;
/** Attributes that can be used with a AppCompatSeekBar.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatSeekBar_android_thumb android:thumb}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatSeekBar_tickMark android.support.v4:tickMark}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatSeekBar_tickMarkTint android.support.v4:tickMarkTint}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatSeekBar_tickMarkTintMode android.support.v4:tickMarkTintMode}</code></td><td></td></tr>
</table>
@see #AppCompatSeekBar_android_thumb
@see #AppCompatSeekBar_tickMark
@see #AppCompatSeekBar_tickMarkTint
@see #AppCompatSeekBar_tickMarkTintMode
*/
public static final int[] AppCompatSeekBar = {
0x01010142, 0x7f010046, 0x7f010047, 0x7f010048
};
/**
<p>This symbol is the offset where the {@link android.R.attr#thumb}
attribute's value can be found in the {@link #AppCompatSeekBar} array.
@attr name android:thumb
*/
public static int AppCompatSeekBar_android_thumb = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tickMark}
attribute's value can be found in the {@link #AppCompatSeekBar} 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 android.support.v4:tickMark
*/
public static int AppCompatSeekBar_tickMark = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tickMarkTint}
attribute's value can be found in the {@link #AppCompatSeekBar} 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 android.support.v4:tickMarkTint
*/
public static int AppCompatSeekBar_tickMarkTint = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tickMarkTintMode}
attribute's value can be found in the {@link #AppCompatSeekBar} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><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>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name android.support.v4:tickMarkTintMode
*/
public static int AppCompatSeekBar_tickMarkTintMode = 3;
/** Attributes that can be used with a AppCompatTextHelper.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableBottom android:drawableBottom}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableEnd android:drawableEnd}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableLeft android:drawableLeft}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableRight android:drawableRight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableStart android:drawableStart}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableTop android:drawableTop}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_textAppearance android:textAppearance}</code></td><td></td></tr>
</table>
@see #AppCompatTextHelper_android_drawableBottom
@see #AppCompatTextHelper_android_drawableEnd
@see #AppCompatTextHelper_android_drawableLeft
@see #AppCompatTextHelper_android_drawableRight
@see #AppCompatTextHelper_android_drawableStart
@see #AppCompatTextHelper_android_drawableTop
@see #AppCompatTextHelper_android_textAppearance
*/
public static final int[] AppCompatTextHelper = {
0x01010034, 0x0101016d, 0x0101016e, 0x0101016f,
0x01010170, 0x01010392, 0x01010393
};
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableBottom}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableBottom
*/
public static int AppCompatTextHelper_android_drawableBottom = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableEnd}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableEnd
*/
public static int AppCompatTextHelper_android_drawableEnd = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableLeft}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableLeft
*/
public static int AppCompatTextHelper_android_drawableLeft = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableRight}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableRight
*/
public static int AppCompatTextHelper_android_drawableRight = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableStart}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableStart
*/
public static int AppCompatTextHelper_android_drawableStart = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableTop}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableTop
*/
public static int AppCompatTextHelper_android_drawableTop = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#textAppearance}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:textAppearance
*/
public static int AppCompatTextHelper_android_textAppearance = 0;
/** 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 android.support.v4:textAllCaps}</code></td><td></td></tr>
</table>
@see #AppCompatTextView_android_textAppearance
@see #AppCompatTextView_textAllCaps
*/
public static final int[] AppCompatTextView = {
0x01010034, 0x7f010049
};
/**
<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 int AppCompatTextView_android_textAppearance = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:textAllCaps
*/
public static int AppCompatTextView_textAllCaps = 1;
/** Attributes that can be used with a AppCompatTheme.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarDivider android.support.v4:actionBarDivider}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarItemBackground android.support.v4:actionBarItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarPopupTheme android.support.v4:actionBarPopupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarSize android.support.v4:actionBarSize}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarSplitStyle android.support.v4:actionBarSplitStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarStyle android.support.v4:actionBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTabBarStyle android.support.v4:actionBarTabBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTabStyle android.support.v4:actionBarTabStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTabTextStyle android.support.v4:actionBarTabTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTheme android.support.v4:actionBarTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarWidgetTheme android.support.v4:actionBarWidgetTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionButtonStyle android.support.v4:actionButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionDropDownStyle android.support.v4:actionDropDownStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionMenuTextAppearance android.support.v4:actionMenuTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionMenuTextColor android.support.v4:actionMenuTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeBackground android.support.v4:actionModeBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCloseButtonStyle android.support.v4:actionModeCloseButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCloseDrawable android.support.v4:actionModeCloseDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCopyDrawable android.support.v4:actionModeCopyDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCutDrawable android.support.v4:actionModeCutDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeFindDrawable android.support.v4:actionModeFindDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModePasteDrawable android.support.v4:actionModePasteDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModePopupWindowStyle android.support.v4:actionModePopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeSelectAllDrawable android.support.v4:actionModeSelectAllDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeShareDrawable android.support.v4:actionModeShareDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeSplitBackground android.support.v4:actionModeSplitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeStyle android.support.v4:actionModeStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeWebSearchDrawable android.support.v4:actionModeWebSearchDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionOverflowButtonStyle android.support.v4:actionOverflowButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionOverflowMenuStyle android.support.v4:actionOverflowMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_activityChooserViewStyle android.support.v4:activityChooserViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogButtonGroupStyle android.support.v4:alertDialogButtonGroupStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogCenterButtons android.support.v4:alertDialogCenterButtons}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogStyle android.support.v4:alertDialogStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogTheme android.support.v4:alertDialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_autoCompleteTextViewStyle android.support.v4:autoCompleteTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_borderlessButtonStyle android.support.v4:borderlessButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarButtonStyle android.support.v4:buttonBarButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarNegativeButtonStyle android.support.v4:buttonBarNegativeButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarNeutralButtonStyle android.support.v4:buttonBarNeutralButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarPositiveButtonStyle android.support.v4:buttonBarPositiveButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarStyle android.support.v4:buttonBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonStyle android.support.v4:buttonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonStyleSmall android.support.v4:buttonStyleSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_checkboxStyle android.support.v4:checkboxStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_checkedTextViewStyle android.support.v4:checkedTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorAccent android.support.v4:colorAccent}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorBackgroundFloating android.support.v4:colorBackgroundFloating}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorButtonNormal android.support.v4:colorButtonNormal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorControlActivated android.support.v4:colorControlActivated}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorControlHighlight android.support.v4:colorControlHighlight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorControlNormal android.support.v4:colorControlNormal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorPrimary android.support.v4:colorPrimary}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorPrimaryDark android.support.v4:colorPrimaryDark}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorSwitchThumbNormal android.support.v4:colorSwitchThumbNormal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_controlBackground android.support.v4:controlBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dialogPreferredPadding android.support.v4:dialogPreferredPadding}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dialogTheme android.support.v4:dialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dividerHorizontal android.support.v4:dividerHorizontal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dividerVertical android.support.v4:dividerVertical}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dropDownListViewStyle android.support.v4:dropDownListViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dropdownListPreferredItemHeight android.support.v4:dropdownListPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_editTextBackground android.support.v4:editTextBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_editTextColor android.support.v4:editTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_editTextStyle android.support.v4:editTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_homeAsUpIndicator android.support.v4:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_imageButtonStyle android.support.v4:imageButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listChoiceBackgroundIndicator android.support.v4:listChoiceBackgroundIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listDividerAlertDialog android.support.v4:listDividerAlertDialog}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listMenuViewStyle android.support.v4:listMenuViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPopupWindowStyle android.support.v4:listPopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemHeight android.support.v4:listPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightLarge android.support.v4:listPreferredItemHeightLarge}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightSmall android.support.v4:listPreferredItemHeightSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingLeft android.support.v4:listPreferredItemPaddingLeft}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingRight android.support.v4:listPreferredItemPaddingRight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_panelBackground android.support.v4:panelBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_panelMenuListTheme android.support.v4:panelMenuListTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_panelMenuListWidth android.support.v4:panelMenuListWidth}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_popupMenuStyle android.support.v4:popupMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_popupWindowStyle android.support.v4:popupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_radioButtonStyle android.support.v4:radioButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_ratingBarStyle android.support.v4:ratingBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_ratingBarStyleIndicator android.support.v4:ratingBarStyleIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_ratingBarStyleSmall android.support.v4:ratingBarStyleSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_searchViewStyle android.support.v4:searchViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_seekBarStyle android.support.v4:seekBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_selectableItemBackground android.support.v4:selectableItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_selectableItemBackgroundBorderless android.support.v4:selectableItemBackgroundBorderless}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_spinnerDropDownItemStyle android.support.v4:spinnerDropDownItemStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_spinnerStyle android.support.v4:spinnerStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_switchStyle android.support.v4:switchStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceLargePopupMenu android.support.v4:textAppearanceLargePopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceListItem android.support.v4:textAppearanceListItem}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSmall android.support.v4:textAppearanceListItemSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearancePopupMenuHeader android.support.v4:textAppearancePopupMenuHeader}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultSubtitle android.support.v4:textAppearanceSearchResultSubtitle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultTitle android.support.v4:textAppearanceSearchResultTitle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceSmallPopupMenu android.support.v4:textAppearanceSmallPopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textColorAlertDialogListItem android.support.v4:textColorAlertDialogListItem}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textColorSearchUrl android.support.v4:textColorSearchUrl}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_toolbarNavigationButtonStyle android.support.v4:toolbarNavigationButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_toolbarStyle android.support.v4:toolbarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowActionBar android.support.v4:windowActionBar}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowActionBarOverlay android.support.v4:windowActionBarOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowActionModeOverlay android.support.v4:windowActionModeOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedHeightMajor android.support.v4:windowFixedHeightMajor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedHeightMinor android.support.v4:windowFixedHeightMinor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedWidthMajor android.support.v4:windowFixedWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedWidthMinor android.support.v4:windowFixedWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowMinWidthMajor android.support.v4:windowMinWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowMinWidthMinor android.support.v4:windowMinWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowNoTitle android.support.v4:windowNoTitle}</code></td><td></td></tr>
</table>
@see #AppCompatTheme_actionBarDivider
@see #AppCompatTheme_actionBarItemBackground
@see #AppCompatTheme_actionBarPopupTheme
@see #AppCompatTheme_actionBarSize
@see #AppCompatTheme_actionBarSplitStyle
@see #AppCompatTheme_actionBarStyle
@see #AppCompatTheme_actionBarTabBarStyle
@see #AppCompatTheme_actionBarTabStyle
@see #AppCompatTheme_actionBarTabTextStyle
@see #AppCompatTheme_actionBarTheme
@see #AppCompatTheme_actionBarWidgetTheme
@see #AppCompatTheme_actionButtonStyle
@see #AppCompatTheme_actionDropDownStyle
@see #AppCompatTheme_actionMenuTextAppearance
@see #AppCompatTheme_actionMenuTextColor
@see #AppCompatTheme_actionModeBackground
@see #AppCompatTheme_actionModeCloseButtonStyle
@see #AppCompatTheme_actionModeCloseDrawable
@see #AppCompatTheme_actionModeCopyDrawable
@see #AppCompatTheme_actionModeCutDrawable
@see #AppCompatTheme_actionModeFindDrawable
@see #AppCompatTheme_actionModePasteDrawable
@see #AppCompatTheme_actionModePopupWindowStyle
@see #AppCompatTheme_actionModeSelectAllDrawable
@see #AppCompatTheme_actionModeShareDrawable
@see #AppCompatTheme_actionModeSplitBackground
@see #AppCompatTheme_actionModeStyle
@see #AppCompatTheme_actionModeWebSearchDrawable
@see #AppCompatTheme_actionOverflowButtonStyle
@see #AppCompatTheme_actionOverflowMenuStyle
@see #AppCompatTheme_activityChooserViewStyle
@see #AppCompatTheme_alertDialogButtonGroupStyle
@see #AppCompatTheme_alertDialogCenterButtons
@see #AppCompatTheme_alertDialogStyle
@see #AppCompatTheme_alertDialogTheme
@see #AppCompatTheme_android_windowAnimationStyle
@see #AppCompatTheme_android_windowIsFloating
@see #AppCompatTheme_autoCompleteTextViewStyle
@see #AppCompatTheme_borderlessButtonStyle
@see #AppCompatTheme_buttonBarButtonStyle
@see #AppCompatTheme_buttonBarNegativeButtonStyle
@see #AppCompatTheme_buttonBarNeutralButtonStyle
@see #AppCompatTheme_buttonBarPositiveButtonStyle
@see #AppCompatTheme_buttonBarStyle
@see #AppCompatTheme_buttonStyle
@see #AppCompatTheme_buttonStyleSmall
@see #AppCompatTheme_checkboxStyle
@see #AppCompatTheme_checkedTextViewStyle
@see #AppCompatTheme_colorAccent
@see #AppCompatTheme_colorBackgroundFloating
@see #AppCompatTheme_colorButtonNormal
@see #AppCompatTheme_colorControlActivated
@see #AppCompatTheme_colorControlHighlight
@see #AppCompatTheme_colorControlNormal
@see #AppCompatTheme_colorPrimary
@see #AppCompatTheme_colorPrimaryDark
@see #AppCompatTheme_colorSwitchThumbNormal
@see #AppCompatTheme_controlBackground
@see #AppCompatTheme_dialogPreferredPadding
@see #AppCompatTheme_dialogTheme
@see #AppCompatTheme_dividerHorizontal
@see #AppCompatTheme_dividerVertical
@see #AppCompatTheme_dropDownListViewStyle
@see #AppCompatTheme_dropdownListPreferredItemHeight
@see #AppCompatTheme_editTextBackground
@see #AppCompatTheme_editTextColor
@see #AppCompatTheme_editTextStyle
@see #AppCompatTheme_homeAsUpIndicator
@see #AppCompatTheme_imageButtonStyle
@see #AppCompatTheme_listChoiceBackgroundIndicator
@see #AppCompatTheme_listDividerAlertDialog
@see #AppCompatTheme_listMenuViewStyle
@see #AppCompatTheme_listPopupWindowStyle
@see #AppCompatTheme_listPreferredItemHeight
@see #AppCompatTheme_listPreferredItemHeightLarge
@see #AppCompatTheme_listPreferredItemHeightSmall
@see #AppCompatTheme_listPreferredItemPaddingLeft
@see #AppCompatTheme_listPreferredItemPaddingRight
@see #AppCompatTheme_panelBackground
@see #AppCompatTheme_panelMenuListTheme
@see #AppCompatTheme_panelMenuListWidth
@see #AppCompatTheme_popupMenuStyle
@see #AppCompatTheme_popupWindowStyle
@see #AppCompatTheme_radioButtonStyle
@see #AppCompatTheme_ratingBarStyle
@see #AppCompatTheme_ratingBarStyleIndicator
@see #AppCompatTheme_ratingBarStyleSmall
@see #AppCompatTheme_searchViewStyle
@see #AppCompatTheme_seekBarStyle
@see #AppCompatTheme_selectableItemBackground
@see #AppCompatTheme_selectableItemBackgroundBorderless
@see #AppCompatTheme_spinnerDropDownItemStyle
@see #AppCompatTheme_spinnerStyle
@see #AppCompatTheme_switchStyle
@see #AppCompatTheme_textAppearanceLargePopupMenu
@see #AppCompatTheme_textAppearanceListItem
@see #AppCompatTheme_textAppearanceListItemSmall
@see #AppCompatTheme_textAppearancePopupMenuHeader
@see #AppCompatTheme_textAppearanceSearchResultSubtitle
@see #AppCompatTheme_textAppearanceSearchResultTitle
@see #AppCompatTheme_textAppearanceSmallPopupMenu
@see #AppCompatTheme_textColorAlertDialogListItem
@see #AppCompatTheme_textColorSearchUrl
@see #AppCompatTheme_toolbarNavigationButtonStyle
@see #AppCompatTheme_toolbarStyle
@see #AppCompatTheme_windowActionBar
@see #AppCompatTheme_windowActionBarOverlay
@see #AppCompatTheme_windowActionModeOverlay
@see #AppCompatTheme_windowFixedHeightMajor
@see #AppCompatTheme_windowFixedHeightMinor
@see #AppCompatTheme_windowFixedWidthMajor
@see #AppCompatTheme_windowFixedWidthMinor
@see #AppCompatTheme_windowMinWidthMajor
@see #AppCompatTheme_windowMinWidthMinor
@see #AppCompatTheme_windowNoTitle
*/
public static final int[] AppCompatTheme = {
0x01010057, 0x010100ae, 0x7f01004a, 0x7f01004b,
0x7f01004c, 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, 0x7f0100b7,
0x7f0100b8, 0x7f0100b9, 0x7f0100ba
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarDivider}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarDivider
*/
public static int AppCompatTheme_actionBarDivider = 23;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarItemBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarItemBackground
*/
public static int AppCompatTheme_actionBarItemBackground = 24;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarPopupTheme}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarPopupTheme
*/
public static int AppCompatTheme_actionBarPopupTheme = 17;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarSize}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:actionBarSize
*/
public static int AppCompatTheme_actionBarSize = 22;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarSplitStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarSplitStyle
*/
public static int AppCompatTheme_actionBarSplitStyle = 19;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarStyle
*/
public static int AppCompatTheme_actionBarStyle = 18;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarTabBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarTabBarStyle
*/
public static int AppCompatTheme_actionBarTabBarStyle = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarTabStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarTabStyle
*/
public static int AppCompatTheme_actionBarTabStyle = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarTabTextStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarTabTextStyle
*/
public static int AppCompatTheme_actionBarTabTextStyle = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarTheme}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarTheme
*/
public static int AppCompatTheme_actionBarTheme = 20;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionBarWidgetTheme}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionBarWidgetTheme
*/
public static int AppCompatTheme_actionBarWidgetTheme = 21;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionButtonStyle
*/
public static int AppCompatTheme_actionButtonStyle = 50;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionDropDownStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionDropDownStyle
*/
public static int AppCompatTheme_actionDropDownStyle = 46;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionMenuTextAppearance}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionMenuTextAppearance
*/
public static int AppCompatTheme_actionMenuTextAppearance = 25;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionMenuTextColor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or 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 android.support.v4:actionMenuTextColor
*/
public static int AppCompatTheme_actionMenuTextColor = 26;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeBackground
*/
public static int AppCompatTheme_actionModeBackground = 29;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeCloseButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeCloseButtonStyle
*/
public static int AppCompatTheme_actionModeCloseButtonStyle = 28;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeCloseDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeCloseDrawable
*/
public static int AppCompatTheme_actionModeCloseDrawable = 31;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeCopyDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeCopyDrawable
*/
public static int AppCompatTheme_actionModeCopyDrawable = 33;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeCutDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeCutDrawable
*/
public static int AppCompatTheme_actionModeCutDrawable = 32;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeFindDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeFindDrawable
*/
public static int AppCompatTheme_actionModeFindDrawable = 37;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModePasteDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModePasteDrawable
*/
public static int AppCompatTheme_actionModePasteDrawable = 34;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModePopupWindowStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModePopupWindowStyle
*/
public static int AppCompatTheme_actionModePopupWindowStyle = 39;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeSelectAllDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeSelectAllDrawable
*/
public static int AppCompatTheme_actionModeSelectAllDrawable = 35;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeShareDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeShareDrawable
*/
public static int AppCompatTheme_actionModeShareDrawable = 36;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeSplitBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeSplitBackground
*/
public static int AppCompatTheme_actionModeSplitBackground = 30;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeStyle
*/
public static int AppCompatTheme_actionModeStyle = 27;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionModeWebSearchDrawable}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionModeWebSearchDrawable
*/
public static int AppCompatTheme_actionModeWebSearchDrawable = 38;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionOverflowButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionOverflowButtonStyle
*/
public static int AppCompatTheme_actionOverflowButtonStyle = 15;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#actionOverflowMenuStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:actionOverflowMenuStyle
*/
public static int AppCompatTheme_actionOverflowMenuStyle = 16;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#activityChooserViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:activityChooserViewStyle
*/
public static int AppCompatTheme_activityChooserViewStyle = 58;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#alertDialogButtonGroupStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:alertDialogButtonGroupStyle
*/
public static int AppCompatTheme_alertDialogButtonGroupStyle = 94;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#alertDialogCenterButtons}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:alertDialogCenterButtons
*/
public static int AppCompatTheme_alertDialogCenterButtons = 95;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#alertDialogStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:alertDialogStyle
*/
public static int AppCompatTheme_alertDialogStyle = 93;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#alertDialogTheme}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:alertDialogTheme
*/
public static int AppCompatTheme_alertDialogTheme = 96;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
@attr name android:windowAnimationStyle
*/
public static int AppCompatTheme_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 #AppCompatTheme} array.
@attr name android:windowIsFloating
*/
public static int AppCompatTheme_android_windowIsFloating = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#autoCompleteTextViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:autoCompleteTextViewStyle
*/
public static int AppCompatTheme_autoCompleteTextViewStyle = 101;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#borderlessButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:borderlessButtonStyle
*/
public static int AppCompatTheme_borderlessButtonStyle = 55;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonBarButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonBarButtonStyle
*/
public static int AppCompatTheme_buttonBarButtonStyle = 52;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonBarNegativeButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonBarNegativeButtonStyle
*/
public static int AppCompatTheme_buttonBarNegativeButtonStyle = 99;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonBarNeutralButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonBarNeutralButtonStyle
*/
public static int AppCompatTheme_buttonBarNeutralButtonStyle = 100;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonBarPositiveButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonBarPositiveButtonStyle
*/
public static int AppCompatTheme_buttonBarPositiveButtonStyle = 98;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonBarStyle
*/
public static int AppCompatTheme_buttonBarStyle = 51;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonStyle
*/
public static int AppCompatTheme_buttonStyle = 102;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonStyleSmall}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:buttonStyleSmall
*/
public static int AppCompatTheme_buttonStyleSmall = 103;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#checkboxStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:checkboxStyle
*/
public static int AppCompatTheme_checkboxStyle = 104;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#checkedTextViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:checkedTextViewStyle
*/
public static int AppCompatTheme_checkedTextViewStyle = 105;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorAccent}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorAccent
*/
public static int AppCompatTheme_colorAccent = 85;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorBackgroundFloating}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorBackgroundFloating
*/
public static int AppCompatTheme_colorBackgroundFloating = 92;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorButtonNormal}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorButtonNormal
*/
public static int AppCompatTheme_colorButtonNormal = 89;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorControlActivated}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorControlActivated
*/
public static int AppCompatTheme_colorControlActivated = 87;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorControlHighlight}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorControlHighlight
*/
public static int AppCompatTheme_colorControlHighlight = 88;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorControlNormal}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorControlNormal
*/
public static int AppCompatTheme_colorControlNormal = 86;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorPrimary}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorPrimary
*/
public static int AppCompatTheme_colorPrimary = 83;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorPrimaryDark}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorPrimaryDark
*/
public static int AppCompatTheme_colorPrimaryDark = 84;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#colorSwitchThumbNormal}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:colorSwitchThumbNormal
*/
public static int AppCompatTheme_colorSwitchThumbNormal = 90;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#controlBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:controlBackground
*/
public static int AppCompatTheme_controlBackground = 91;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#dialogPreferredPadding}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:dialogPreferredPadding
*/
public static int AppCompatTheme_dialogPreferredPadding = 44;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#dialogTheme}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:dialogTheme
*/
public static int AppCompatTheme_dialogTheme = 43;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#dividerHorizontal}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:dividerHorizontal
*/
public static int AppCompatTheme_dividerHorizontal = 57;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#dividerVertical}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:dividerVertical
*/
public static int AppCompatTheme_dividerVertical = 56;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#dropDownListViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:dropDownListViewStyle
*/
public static int AppCompatTheme_dropDownListViewStyle = 75;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#dropdownListPreferredItemHeight}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:dropdownListPreferredItemHeight
*/
public static int AppCompatTheme_dropdownListPreferredItemHeight = 47;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#editTextBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:editTextBackground
*/
public static int AppCompatTheme_editTextBackground = 64;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#editTextColor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or 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 android.support.v4:editTextColor
*/
public static int AppCompatTheme_editTextColor = 63;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#editTextStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:editTextStyle
*/
public static int AppCompatTheme_editTextStyle = 106;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#homeAsUpIndicator}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:homeAsUpIndicator
*/
public static int AppCompatTheme_homeAsUpIndicator = 49;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#imageButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:imageButtonStyle
*/
public static int AppCompatTheme_imageButtonStyle = 65;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listChoiceBackgroundIndicator}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listChoiceBackgroundIndicator
*/
public static int AppCompatTheme_listChoiceBackgroundIndicator = 82;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listDividerAlertDialog}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listDividerAlertDialog
*/
public static int AppCompatTheme_listDividerAlertDialog = 45;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listMenuViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listMenuViewStyle
*/
public static int AppCompatTheme_listMenuViewStyle = 114;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listPopupWindowStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listPopupWindowStyle
*/
public static int AppCompatTheme_listPopupWindowStyle = 76;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listPreferredItemHeight}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listPreferredItemHeight
*/
public static int AppCompatTheme_listPreferredItemHeight = 70;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listPreferredItemHeightLarge}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listPreferredItemHeightLarge
*/
public static int AppCompatTheme_listPreferredItemHeightLarge = 72;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listPreferredItemHeightSmall}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listPreferredItemHeightSmall
*/
public static int AppCompatTheme_listPreferredItemHeightSmall = 71;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listPreferredItemPaddingLeft}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listPreferredItemPaddingLeft
*/
public static int AppCompatTheme_listPreferredItemPaddingLeft = 73;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#listPreferredItemPaddingRight}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:listPreferredItemPaddingRight
*/
public static int AppCompatTheme_listPreferredItemPaddingRight = 74;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#panelBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:panelBackground
*/
public static int AppCompatTheme_panelBackground = 79;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#panelMenuListTheme}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:panelMenuListTheme
*/
public static int AppCompatTheme_panelMenuListTheme = 81;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#panelMenuListWidth}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:panelMenuListWidth
*/
public static int AppCompatTheme_panelMenuListWidth = 80;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#popupMenuStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:popupMenuStyle
*/
public static int AppCompatTheme_popupMenuStyle = 61;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#popupWindowStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:popupWindowStyle
*/
public static int AppCompatTheme_popupWindowStyle = 62;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#radioButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:radioButtonStyle
*/
public static int AppCompatTheme_radioButtonStyle = 107;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#ratingBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:ratingBarStyle
*/
public static int AppCompatTheme_ratingBarStyle = 108;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#ratingBarStyleIndicator}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:ratingBarStyleIndicator
*/
public static int AppCompatTheme_ratingBarStyleIndicator = 109;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#ratingBarStyleSmall}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:ratingBarStyleSmall
*/
public static int AppCompatTheme_ratingBarStyleSmall = 110;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#searchViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:searchViewStyle
*/
public static int AppCompatTheme_searchViewStyle = 69;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#seekBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:seekBarStyle
*/
public static int AppCompatTheme_seekBarStyle = 111;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#selectableItemBackground}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:selectableItemBackground
*/
public static int AppCompatTheme_selectableItemBackground = 53;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#selectableItemBackgroundBorderless}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:selectableItemBackgroundBorderless
*/
public static int AppCompatTheme_selectableItemBackgroundBorderless = 54;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#spinnerDropDownItemStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:spinnerDropDownItemStyle
*/
public static int AppCompatTheme_spinnerDropDownItemStyle = 48;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#spinnerStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:spinnerStyle
*/
public static int AppCompatTheme_spinnerStyle = 112;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#switchStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:switchStyle
*/
public static int AppCompatTheme_switchStyle = 113;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearanceLargePopupMenu}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearanceLargePopupMenu
*/
public static int AppCompatTheme_textAppearanceLargePopupMenu = 40;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearanceListItem}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearanceListItem
*/
public static int AppCompatTheme_textAppearanceListItem = 77;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearanceListItemSmall}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearanceListItemSmall
*/
public static int AppCompatTheme_textAppearanceListItemSmall = 78;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearancePopupMenuHeader}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearancePopupMenuHeader
*/
public static int AppCompatTheme_textAppearancePopupMenuHeader = 42;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearanceSearchResultSubtitle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearanceSearchResultSubtitle
*/
public static int AppCompatTheme_textAppearanceSearchResultSubtitle = 67;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearanceSearchResultTitle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearanceSearchResultTitle
*/
public static int AppCompatTheme_textAppearanceSearchResultTitle = 66;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textAppearanceSmallPopupMenu}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:textAppearanceSmallPopupMenu
*/
public static int AppCompatTheme_textAppearanceSmallPopupMenu = 41;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textColorAlertDialogListItem}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or 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 android.support.v4:textColorAlertDialogListItem
*/
public static int AppCompatTheme_textColorAlertDialogListItem = 97;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textColorSearchUrl}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or 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 android.support.v4:textColorSearchUrl
*/
public static int AppCompatTheme_textColorSearchUrl = 68;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#toolbarNavigationButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:toolbarNavigationButtonStyle
*/
public static int AppCompatTheme_toolbarNavigationButtonStyle = 60;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#toolbarStyle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:toolbarStyle
*/
public static int AppCompatTheme_toolbarStyle = 59;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowActionBar}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:windowActionBar
*/
public static int AppCompatTheme_windowActionBar = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowActionBarOverlay}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:windowActionBarOverlay
*/
public static int AppCompatTheme_windowActionBarOverlay = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowActionModeOverlay}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:windowActionModeOverlay
*/
public static int AppCompatTheme_windowActionModeOverlay = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowFixedHeightMajor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:windowFixedHeightMajor
*/
public static int AppCompatTheme_windowFixedHeightMajor = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowFixedHeightMinor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:windowFixedHeightMinor
*/
public static int AppCompatTheme_windowFixedHeightMinor = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowFixedWidthMajor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:windowFixedWidthMajor
*/
public static int AppCompatTheme_windowFixedWidthMajor = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowFixedWidthMinor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:windowFixedWidthMinor
*/
public static int AppCompatTheme_windowFixedWidthMinor = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowMinWidthMajor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:windowMinWidthMajor
*/
public static int AppCompatTheme_windowMinWidthMajor = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowMinWidthMinor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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 android.support.v4:windowMinWidthMinor
*/
public static int AppCompatTheme_windowMinWidthMinor = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#windowNoTitle}
attribute's value can be found in the {@link #AppCompatTheme} 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 android.support.v4:windowNoTitle
*/
public static int AppCompatTheme_windowNoTitle = 3;
/** Attributes that can be used with a BottomSheetBehavior_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_hideable android.support.v4:behavior_hideable}</code></td><td></td></tr>
<tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_peekHeight android.support.v4:behavior_peekHeight}</code></td><td></td></tr>
<tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_skipCollapsed android.support.v4:behavior_skipCollapsed}</code></td><td></td></tr>
</table>
@see #BottomSheetBehavior_Layout_behavior_hideable
@see #BottomSheetBehavior_Layout_behavior_peekHeight
@see #BottomSheetBehavior_Layout_behavior_skipCollapsed
*/
public static final int[] BottomSheetBehavior_Layout = {
0x7f010105, 0x7f010106, 0x7f010107
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#behavior_hideable}
attribute's value can be found in the {@link #BottomSheetBehavior_Layout} 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 android.support.v4:behavior_hideable
*/
public static int BottomSheetBehavior_Layout_behavior_hideable = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#behavior_peekHeight}
attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), 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>auto</code></td><td>-1</td><td></td></tr>
</table>
@attr name android.support.v4:behavior_peekHeight
*/
public static int BottomSheetBehavior_Layout_behavior_peekHeight = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#behavior_skipCollapsed}
attribute's value can be found in the {@link #BottomSheetBehavior_Layout} 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 android.support.v4:behavior_skipCollapsed
*/
public static int BottomSheetBehavior_Layout_behavior_skipCollapsed = 2;
/** Attributes that can be used with a ButtonBarLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ButtonBarLayout_allowStacking android.support.v4:allowStacking}</code></td><td></td></tr>
</table>
@see #ButtonBarLayout_allowStacking
*/
public static final int[] ButtonBarLayout = {
0x7f0100bb
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#allowStacking}
attribute's value can be found in the {@link #ButtonBarLayout} 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 android.support.v4:allowStacking
*/
public static int ButtonBarLayout_allowStacking = 0;
/** Attributes that can be used with a CardView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CardView_android_minHeight android:minHeight}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_android_minWidth android:minWidth}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_cardBackgroundColor android.support.v4:cardBackgroundColor}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_cardCornerRadius android.support.v4:cardCornerRadius}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_cardElevation android.support.v4:cardElevation}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_cardMaxElevation android.support.v4:cardMaxElevation}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_cardPreventCornerOverlap android.support.v4:cardPreventCornerOverlap}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_cardUseCompatPadding android.support.v4:cardUseCompatPadding}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_contentPadding android.support.v4:contentPadding}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_contentPaddingBottom android.support.v4:contentPaddingBottom}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_contentPaddingLeft android.support.v4:contentPaddingLeft}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_contentPaddingRight android.support.v4:contentPaddingRight}</code></td><td></td></tr>
<tr><td><code>{@link #CardView_contentPaddingTop android.support.v4:contentPaddingTop}</code></td><td></td></tr>
</table>
@see #CardView_android_minHeight
@see #CardView_android_minWidth
@see #CardView_cardBackgroundColor
@see #CardView_cardCornerRadius
@see #CardView_cardElevation
@see #CardView_cardMaxElevation
@see #CardView_cardPreventCornerOverlap
@see #CardView_cardUseCompatPadding
@see #CardView_contentPadding
@see #CardView_contentPaddingBottom
@see #CardView_contentPaddingLeft
@see #CardView_contentPaddingRight
@see #CardView_contentPaddingTop
*/
public static final int[] CardView = {
0x0101013f, 0x01010140, 0x7f010014, 0x7f010015,
0x7f010016, 0x7f010017, 0x7f010018, 0x7f010019,
0x7f01001a, 0x7f01001b, 0x7f01001c, 0x7f01001d,
0x7f01001e
};
/**
<p>This symbol is the offset where the {@link android.R.attr#minHeight}
attribute's value can be found in the {@link #CardView} array.
@attr name android:minHeight
*/
public static int CardView_android_minHeight = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#minWidth}
attribute's value can be found in the {@link #CardView} array.
@attr name android:minWidth
*/
public static int CardView_android_minWidth = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#cardBackgroundColor}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:cardBackgroundColor
*/
public static int CardView_cardBackgroundColor = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#cardCornerRadius}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:cardCornerRadius
*/
public static int CardView_cardCornerRadius = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#cardElevation}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:cardElevation
*/
public static int CardView_cardElevation = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#cardMaxElevation}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:cardMaxElevation
*/
public static int CardView_cardMaxElevation = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#cardPreventCornerOverlap}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:cardPreventCornerOverlap
*/
public static int CardView_cardPreventCornerOverlap = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#cardUseCompatPadding}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:cardUseCompatPadding
*/
public static int CardView_cardUseCompatPadding = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentPadding}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:contentPadding
*/
public static int CardView_contentPadding = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentPaddingBottom}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:contentPaddingBottom
*/
public static int CardView_contentPaddingBottom = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentPaddingLeft}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:contentPaddingLeft
*/
public static int CardView_contentPaddingLeft = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentPaddingRight}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:contentPaddingRight
*/
public static int CardView_contentPaddingRight = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentPaddingTop}
attribute's value can be found in the {@link #CardView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:contentPaddingTop
*/
public static int CardView_contentPaddingTop = 11;
/** Attributes that can be used with a CollapsingToolbarLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleGravity android.support.v4:collapsedTitleGravity}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleTextAppearance android.support.v4:collapsedTitleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_contentScrim android.support.v4:contentScrim}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleGravity android.support.v4:expandedTitleGravity}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMargin android.support.v4:expandedTitleMargin}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginBottom android.support.v4:expandedTitleMarginBottom}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginEnd android.support.v4:expandedTitleMarginEnd}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginStart android.support.v4:expandedTitleMarginStart}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginTop android.support.v4:expandedTitleMarginTop}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleTextAppearance android.support.v4:expandedTitleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_scrimAnimationDuration android.support.v4:scrimAnimationDuration}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_scrimVisibleHeightTrigger android.support.v4:scrimVisibleHeightTrigger}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_statusBarScrim android.support.v4:statusBarScrim}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_title android.support.v4:title}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_titleEnabled android.support.v4:titleEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_toolbarId android.support.v4:toolbarId}</code></td><td></td></tr>
</table>
@see #CollapsingToolbarLayout_collapsedTitleGravity
@see #CollapsingToolbarLayout_collapsedTitleTextAppearance
@see #CollapsingToolbarLayout_contentScrim
@see #CollapsingToolbarLayout_expandedTitleGravity
@see #CollapsingToolbarLayout_expandedTitleMargin
@see #CollapsingToolbarLayout_expandedTitleMarginBottom
@see #CollapsingToolbarLayout_expandedTitleMarginEnd
@see #CollapsingToolbarLayout_expandedTitleMarginStart
@see #CollapsingToolbarLayout_expandedTitleMarginTop
@see #CollapsingToolbarLayout_expandedTitleTextAppearance
@see #CollapsingToolbarLayout_scrimAnimationDuration
@see #CollapsingToolbarLayout_scrimVisibleHeightTrigger
@see #CollapsingToolbarLayout_statusBarScrim
@see #CollapsingToolbarLayout_title
@see #CollapsingToolbarLayout_titleEnabled
@see #CollapsingToolbarLayout_toolbarId
*/
public static final int[] CollapsingToolbarLayout = {
0x7f010022, 0x7f010108, 0x7f010109, 0x7f01010a,
0x7f01010b, 0x7f01010c, 0x7f01010d, 0x7f01010e,
0x7f01010f, 0x7f010110, 0x7f010111, 0x7f010112,
0x7f010113, 0x7f010114, 0x7f010115, 0x7f010116
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#collapsedTitleGravity}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x05</td><td></td></tr>
<tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr>
<tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr>
<tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr>
<tr><td><code>center</code></td><td>0x11</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
@attr name android.support.v4:collapsedTitleGravity
*/
public static int CollapsingToolbarLayout_collapsedTitleGravity = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#collapsedTitleTextAppearance}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:collapsedTitleTextAppearance
*/
public static int CollapsingToolbarLayout_collapsedTitleTextAppearance = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentScrim}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:contentScrim
*/
public static int CollapsingToolbarLayout_contentScrim = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleGravity}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x05</td><td></td></tr>
<tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr>
<tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr>
<tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr>
<tr><td><code>center</code></td><td>0x11</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
@attr name android.support.v4:expandedTitleGravity
*/
public static int CollapsingToolbarLayout_expandedTitleGravity = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleMargin}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:expandedTitleMargin
*/
public static int CollapsingToolbarLayout_expandedTitleMargin = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleMarginBottom}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:expandedTitleMarginBottom
*/
public static int CollapsingToolbarLayout_expandedTitleMarginBottom = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleMarginEnd}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:expandedTitleMarginEnd
*/
public static int CollapsingToolbarLayout_expandedTitleMarginEnd = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleMarginStart}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:expandedTitleMarginStart
*/
public static int CollapsingToolbarLayout_expandedTitleMarginStart = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleMarginTop}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:expandedTitleMarginTop
*/
public static int CollapsingToolbarLayout_expandedTitleMarginTop = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#expandedTitleTextAppearance}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:expandedTitleTextAppearance
*/
public static int CollapsingToolbarLayout_expandedTitleTextAppearance = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#scrimAnimationDuration}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:scrimAnimationDuration
*/
public static int CollapsingToolbarLayout_scrimAnimationDuration = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#scrimVisibleHeightTrigger}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:scrimVisibleHeightTrigger
*/
public static int CollapsingToolbarLayout_scrimVisibleHeightTrigger = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#statusBarScrim}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:statusBarScrim
*/
public static int CollapsingToolbarLayout_statusBarScrim = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#title}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:title
*/
public static int CollapsingToolbarLayout_title = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#titleEnabled}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:titleEnabled
*/
public static int CollapsingToolbarLayout_titleEnabled = 15;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#toolbarId}
attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:toolbarId
*/
public static int CollapsingToolbarLayout_toolbarId = 10;
/** Attributes that can be used with a CollapsingToolbarLayout_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseMode android.support.v4:layout_collapseMode}</code></td><td></td></tr>
<tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier android.support.v4:layout_collapseParallaxMultiplier}</code></td><td></td></tr>
</table>
@see #CollapsingToolbarLayout_Layout_layout_collapseMode
@see #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier
*/
public static final int[] CollapsingToolbarLayout_Layout = {
0x7f010117, 0x7f010118
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_collapseMode}
attribute's value can be found in the {@link #CollapsingToolbarLayout_Layout} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>pin</code></td><td>1</td><td></td></tr>
<tr><td><code>parallax</code></td><td>2</td><td></td></tr>
</table>
@attr name android.support.v4:layout_collapseMode
*/
public static int CollapsingToolbarLayout_Layout_layout_collapseMode = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_collapseParallaxMultiplier}
attribute's value can be found in the {@link #CollapsingToolbarLayout_Layout} array.
<p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:layout_collapseParallaxMultiplier
*/
public static int CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier = 1;
/** Attributes that can be used with a ColorStateListItem.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ColorStateListItem_alpha android.support.v4:alpha}</code></td><td></td></tr>
<tr><td><code>{@link #ColorStateListItem_android_alpha android:alpha}</code></td><td></td></tr>
<tr><td><code>{@link #ColorStateListItem_android_color android:color}</code></td><td></td></tr>
</table>
@see #ColorStateListItem_alpha
@see #ColorStateListItem_android_alpha
@see #ColorStateListItem_android_color
*/
public static final int[] ColorStateListItem = {
0x010101a5, 0x0101031f, 0x7f0100bc
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#alpha}
attribute's value can be found in the {@link #ColorStateListItem} array.
<p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:alpha
*/
public static int ColorStateListItem_alpha = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#alpha}
attribute's value can be found in the {@link #ColorStateListItem} array.
@attr name android:alpha
*/
public static int ColorStateListItem_android_alpha = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#color}
attribute's value can be found in the {@link #ColorStateListItem} array.
@attr name android:color
*/
public static int ColorStateListItem_android_color = 0;
/** 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 android.support.v4:buttonTint}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTintMode android.support.v4:buttonTintMode}</code></td><td></td></tr>
</table>
@see #CompoundButton_android_button
@see #CompoundButton_buttonTint
@see #CompoundButton_buttonTintMode
*/
public static final int[] CompoundButton = {
0x01010107, 0x7f0100bd, 0x7f0100be
};
/**
<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 int CompoundButton_android_button = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:buttonTint
*/
public static int CompoundButton_buttonTint = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:buttonTintMode
*/
public static int CompoundButton_buttonTintMode = 2;
/** Attributes that can be used with a CoordinatorLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CoordinatorLayout_keylines android.support.v4:keylines}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_statusBarBackground android.support.v4:statusBarBackground}</code></td><td></td></tr>
</table>
@see #CoordinatorLayout_keylines
@see #CoordinatorLayout_statusBarBackground
*/
public static final int[] CoordinatorLayout = {
0x7f010119, 0x7f01011a
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#keylines}
attribute's value can be found in the {@link #CoordinatorLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:keylines
*/
public static int CoordinatorLayout_keylines = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#statusBarBackground}
attribute's value can be found in the {@link #CoordinatorLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:statusBarBackground
*/
public static int CoordinatorLayout_statusBarBackground = 1;
/** Attributes that can be used with a CoordinatorLayout_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchor android.support.v4:layout_anchor}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchorGravity android.support.v4:layout_anchorGravity}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_layout_behavior android.support.v4:layout_behavior}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_layout_dodgeInsetEdges android.support.v4:layout_dodgeInsetEdges}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_layout_insetEdge android.support.v4:layout_insetEdge}</code></td><td></td></tr>
<tr><td><code>{@link #CoordinatorLayout_Layout_layout_keyline android.support.v4:layout_keyline}</code></td><td></td></tr>
</table>
@see #CoordinatorLayout_Layout_android_layout_gravity
@see #CoordinatorLayout_Layout_layout_anchor
@see #CoordinatorLayout_Layout_layout_anchorGravity
@see #CoordinatorLayout_Layout_layout_behavior
@see #CoordinatorLayout_Layout_layout_dodgeInsetEdges
@see #CoordinatorLayout_Layout_layout_insetEdge
@see #CoordinatorLayout_Layout_layout_keyline
*/
public static final int[] CoordinatorLayout_Layout = {
0x010100b3, 0x7f01011b, 0x7f01011c, 0x7f01011d,
0x7f01011e, 0x7f01011f, 0x7f010120
};
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
@attr name android:layout_gravity
*/
public static int CoordinatorLayout_Layout_android_layout_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_anchor}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} 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 android.support.v4:layout_anchor
*/
public static int CoordinatorLayout_Layout_layout_anchor = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_anchorGravity}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x05</td><td></td></tr>
<tr><td><code>center_vertical</code></td><td>0x10</td><td></td></tr>
<tr><td><code>fill_vertical</code></td><td>0x70</td><td></td></tr>
<tr><td><code>center_horizontal</code></td><td>0x01</td><td></td></tr>
<tr><td><code>fill_horizontal</code></td><td>0x07</td><td></td></tr>
<tr><td><code>center</code></td><td>0x11</td><td></td></tr>
<tr><td><code>fill</code></td><td>0x77</td><td></td></tr>
<tr><td><code>clip_vertical</code></td><td>0x80</td><td></td></tr>
<tr><td><code>clip_horizontal</code></td><td>0x08</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
@attr name android.support.v4:layout_anchorGravity
*/
public static int CoordinatorLayout_Layout_layout_anchorGravity = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_behavior}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} 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 android.support.v4:layout_behavior
*/
public static int CoordinatorLayout_Layout_layout_behavior = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_dodgeInsetEdges}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0x0</td><td></td></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x03</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
<tr><td><code>all</code></td><td>0x77</td><td></td></tr>
</table>
@attr name android.support.v4:layout_dodgeInsetEdges
*/
public static int CoordinatorLayout_Layout_layout_dodgeInsetEdges = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_insetEdge}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0x0</td><td></td></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
<tr><td><code>left</code></td><td>0x03</td><td></td></tr>
<tr><td><code>right</code></td><td>0x03</td><td></td></tr>
<tr><td><code>start</code></td><td>0x00800003</td><td></td></tr>
<tr><td><code>end</code></td><td>0x00800005</td><td></td></tr>
</table>
@attr name android.support.v4:layout_insetEdge
*/
public static int CoordinatorLayout_Layout_layout_insetEdge = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layout_keyline}
attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
<p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:layout_keyline
*/
public static int CoordinatorLayout_Layout_layout_keyline = 3;
/** Attributes that can be used with a DesignTheme.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #DesignTheme_bottomSheetDialogTheme android.support.v4:bottomSheetDialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #DesignTheme_bottomSheetStyle android.support.v4:bottomSheetStyle}</code></td><td></td></tr>
<tr><td><code>{@link #DesignTheme_textColorError android.support.v4:textColorError}</code></td><td></td></tr>
</table>
@see #DesignTheme_bottomSheetDialogTheme
@see #DesignTheme_bottomSheetStyle
@see #DesignTheme_textColorError
*/
public static final int[] DesignTheme = {
0x7f010121, 0x7f010122, 0x7f010123
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#bottomSheetDialogTheme}
attribute's value can be found in the {@link #DesignTheme} 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 android.support.v4:bottomSheetDialogTheme
*/
public static int DesignTheme_bottomSheetDialogTheme = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#bottomSheetStyle}
attribute's value can be found in the {@link #DesignTheme} 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 android.support.v4:bottomSheetStyle
*/
public static int DesignTheme_bottomSheetStyle = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#textColorError}
attribute's value can be found in the {@link #DesignTheme} 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 android.support.v4:textColorError
*/
public static int DesignTheme_textColorError = 2;
/** Attributes that can be used with a DrawerArrowToggle.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowHeadLength android.support.v4:arrowHeadLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength android.support.v4:arrowShaftLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_barLength android.support.v4:barLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_color android.support.v4:color}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_drawableSize android.support.v4:drawableSize}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars android.support.v4:gapBetweenBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_spinBars android.support.v4:spinBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_thickness android.support.v4: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 = {
0x7f0100bf, 0x7f0100c0, 0x7f0100c1, 0x7f0100c2,
0x7f0100c3, 0x7f0100c4, 0x7f0100c5, 0x7f0100c6
};
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:arrowHeadLength
*/
public static int DrawerArrowToggle_arrowHeadLength = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:arrowShaftLength
*/
public static int DrawerArrowToggle_arrowShaftLength = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:barLength
*/
public static int DrawerArrowToggle_barLength = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:color
*/
public static int DrawerArrowToggle_color = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:drawableSize
*/
public static int DrawerArrowToggle_drawableSize = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:gapBetweenBars
*/
public static int DrawerArrowToggle_gapBetweenBars = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:spinBars
*/
public static int DrawerArrowToggle_spinBars = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:thickness
*/
public static int DrawerArrowToggle_thickness = 7;
/** Attributes that can be used with a FloatingActionButton.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #FloatingActionButton_backgroundTint android.support.v4:backgroundTint}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_backgroundTintMode android.support.v4:backgroundTintMode}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_borderWidth android.support.v4:borderWidth}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_elevation android.support.v4:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_fabSize android.support.v4:fabSize}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_pressedTranslationZ android.support.v4:pressedTranslationZ}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_rippleColor android.support.v4:rippleColor}</code></td><td></td></tr>
<tr><td><code>{@link #FloatingActionButton_useCompatPadding android.support.v4:useCompatPadding}</code></td><td></td></tr>
</table>
@see #FloatingActionButton_backgroundTint
@see #FloatingActionButton_backgroundTintMode
@see #FloatingActionButton_borderWidth
@see #FloatingActionButton_elevation
@see #FloatingActionButton_fabSize
@see #FloatingActionButton_pressedTranslationZ
@see #FloatingActionButton_rippleColor
@see #FloatingActionButton_useCompatPadding
*/
public static final int[] FloatingActionButton = {
0x7f01003b, 0x7f0100fe, 0x7f0100ff, 0x7f010124,
0x7f010125, 0x7f010126, 0x7f010127, 0x7f010128
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#backgroundTint}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:backgroundTint
*/
public static int FloatingActionButton_backgroundTint = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#backgroundTintMode}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
@attr name android.support.v4:backgroundTintMode
*/
public static int FloatingActionButton_backgroundTintMode = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#borderWidth}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:borderWidth
*/
public static int FloatingActionButton_borderWidth = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#elevation}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:elevation
*/
public static int FloatingActionButton_elevation = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#fabSize}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>auto</code></td><td>-1</td><td></td></tr>
<tr><td><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>mini</code></td><td>1</td><td></td></tr>
</table>
@attr name android.support.v4:fabSize
*/
public static int FloatingActionButton_fabSize = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#pressedTranslationZ}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:pressedTranslationZ
*/
public static int FloatingActionButton_pressedTranslationZ = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#rippleColor}
attribute's value can be found in the {@link #FloatingActionButton} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:rippleColor
*/
public static int FloatingActionButton_rippleColor = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#useCompatPadding}
attribute's value can be found in the {@link #FloatingActionButton} 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 android.support.v4:useCompatPadding
*/
public static int FloatingActionButton_useCompatPadding = 7;
/** Attributes that can be used with a FloatingActionButton_Behavior_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #FloatingActionButton_Behavior_Layout_behavior_autoHide android.support.v4:behavior_autoHide}</code></td><td></td></tr>
</table>
@see #FloatingActionButton_Behavior_Layout_behavior_autoHide
*/
public static final int[] FloatingActionButton_Behavior_Layout = {
0x7f010129
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#behavior_autoHide}
attribute's value can be found in the {@link #FloatingActionButton_Behavior_Layout} 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 android.support.v4:behavior_autoHide
*/
public static int FloatingActionButton_Behavior_Layout_behavior_autoHide = 0;
/** Attributes that can be used with a ForegroundLinearLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ForegroundLinearLayout_android_foreground android:foreground}</code></td><td></td></tr>
<tr><td><code>{@link #ForegroundLinearLayout_android_foregroundGravity android:foregroundGravity}</code></td><td></td></tr>
<tr><td><code>{@link #ForegroundLinearLayout_foregroundInsidePadding android.support.v4:foregroundInsidePadding}</code></td><td></td></tr>
</table>
@see #ForegroundLinearLayout_android_foreground
@see #ForegroundLinearLayout_android_foregroundGravity
@see #ForegroundLinearLayout_foregroundInsidePadding
*/
public static final int[] ForegroundLinearLayout = {
0x01010109, 0x01010200, 0x7f01012a
};
/**
<p>This symbol is the offset where the {@link android.R.attr#foreground}
attribute's value can be found in the {@link #ForegroundLinearLayout} array.
@attr name android:foreground
*/
public static int ForegroundLinearLayout_android_foreground = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#foregroundGravity}
attribute's value can be found in the {@link #ForegroundLinearLayout} array.
@attr name android:foregroundGravity
*/
public static int ForegroundLinearLayout_android_foregroundGravity = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#foregroundInsidePadding}
attribute's value can be found in the {@link #ForegroundLinearLayout} 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 android.support.v4:foregroundInsidePadding
*/
public static int ForegroundLinearLayout_foregroundInsidePadding = 2;
/** 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 android.support.v4:divider}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_dividerPadding android.support.v4:dividerPadding}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild android.support.v4:measureWithLargestChild}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_showDividers android.support.v4: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, 0x7f01002a, 0x7f0100c7, 0x7f0100c8,
0x7f0100c9
};
/**
<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 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 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 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 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 int LinearLayoutCompat_android_weightSum = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:divider
*/
public static int LinearLayoutCompat_divider = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:dividerPadding
*/
public static int LinearLayoutCompat_dividerPadding = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:measureWithLargestChild
*/
public static int LinearLayoutCompat_measureWithLargestChild = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:showDividers
*/
public static 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 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 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 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 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 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 int ListPopupWindow_android_dropDownVerticalOffset = 1;
/** Attributes that can be used with a MediaRouteButton.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MediaRouteButton_android_minHeight android:minHeight}</code></td><td></td></tr>
<tr><td><code>{@link #MediaRouteButton_android_minWidth android:minWidth}</code></td><td></td></tr>
<tr><td><code>{@link #MediaRouteButton_externalRouteEnabledDrawable android.support.v4:externalRouteEnabledDrawable}</code></td><td></td></tr>
</table>
@see #MediaRouteButton_android_minHeight
@see #MediaRouteButton_android_minWidth
@see #MediaRouteButton_externalRouteEnabledDrawable
*/
public static final int[] MediaRouteButton = {
0x0101013f, 0x01010140, 0x7f010013
};
/**
<p>This symbol is the offset where the {@link android.R.attr#minHeight}
attribute's value can be found in the {@link #MediaRouteButton} array.
@attr name android:minHeight
*/
public static int MediaRouteButton_android_minHeight = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#minWidth}
attribute's value can be found in the {@link #MediaRouteButton} array.
@attr name android:minWidth
*/
public static int MediaRouteButton_android_minWidth = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#externalRouteEnabledDrawable}
attribute's value can be found in the {@link #MediaRouteButton} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:externalRouteEnabledDrawable
*/
public static int MediaRouteButton_externalRouteEnabledDrawable = 2;
/** Attributes that can be used with a MenuGroup.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_enabled android:enabled}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_menuCategory android:menuCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_visible android:visible}</code></td><td></td></tr>
</table>
@see #MenuGroup_android_checkableBehavior
@see #MenuGroup_android_enabled
@see #MenuGroup_android_id
@see #MenuGroup_android_menuCategory
@see #MenuGroup_android_orderInCategory
@see #MenuGroup_android_visible
*/
public static final int[] MenuGroup = {
0x0101000e, 0x010100d0, 0x01010194, 0x010101de,
0x010101df, 0x010101e0
};
/**
<p>This symbol is the offset where the {@link android.R.attr#checkableBehavior}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:checkableBehavior
*/
public static 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 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 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 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 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 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 android.support.v4:actionLayout}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionProviderClass android.support.v4:actionProviderClass}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionViewClass android.support.v4: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 android.support.v4: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, 0x7f0100ca, 0x7f0100cb, 0x7f0100cc,
0x7f0100cd
};
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:actionLayout
*/
public static int MenuItem_actionLayout = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:actionProviderClass
*/
public static int MenuItem_actionProviderClass = 16;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:actionViewClass
*/
public static 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 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 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 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 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 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 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 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 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 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 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 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 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 int MenuItem_android_visible = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:showAsAction
*/
public static 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 android.support.v4:preserveIconSpacing}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_subMenuArrow android.support.v4:subMenuArrow}</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
@see #MenuView_subMenuArrow
*/
public static final int[] MenuView = {
0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e,
0x0101012f, 0x01010130, 0x01010131, 0x7f0100ce,
0x7f0100cf
};
/**
<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 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 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 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 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 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 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 int MenuView_android_windowAnimationStyle = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:preserveIconSpacing
*/
public static int MenuView_preserveIconSpacing = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#subMenuArrow}
attribute's value can be found in the {@link #MenuView} 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 android.support.v4:subMenuArrow
*/
public static int MenuView_subMenuArrow = 8;
/** Attributes that can be used with a NavigationView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #NavigationView_android_background android:background}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_android_fitsSystemWindows android:fitsSystemWindows}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_android_maxWidth android:maxWidth}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_elevation android.support.v4:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_headerLayout android.support.v4:headerLayout}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_itemBackground android.support.v4:itemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_itemIconTint android.support.v4:itemIconTint}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_itemTextAppearance android.support.v4:itemTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_itemTextColor android.support.v4:itemTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #NavigationView_menu android.support.v4:menu}</code></td><td></td></tr>
</table>
@see #NavigationView_android_background
@see #NavigationView_android_fitsSystemWindows
@see #NavigationView_android_maxWidth
@see #NavigationView_elevation
@see #NavigationView_headerLayout
@see #NavigationView_itemBackground
@see #NavigationView_itemIconTint
@see #NavigationView_itemTextAppearance
@see #NavigationView_itemTextColor
@see #NavigationView_menu
*/
public static final int[] NavigationView = {
0x010100d4, 0x010100dd, 0x0101011f, 0x7f01003b,
0x7f01012b, 0x7f01012c, 0x7f01012d, 0x7f01012e,
0x7f01012f, 0x7f010130
};
/**
<p>This symbol is the offset where the {@link android.R.attr#background}
attribute's value can be found in the {@link #NavigationView} array.
@attr name android:background
*/
public static int NavigationView_android_background = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#fitsSystemWindows}
attribute's value can be found in the {@link #NavigationView} array.
@attr name android:fitsSystemWindows
*/
public static int NavigationView_android_fitsSystemWindows = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#maxWidth}
attribute's value can be found in the {@link #NavigationView} array.
@attr name android:maxWidth
*/
public static int NavigationView_android_maxWidth = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#elevation}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:elevation
*/
public static int NavigationView_elevation = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#headerLayout}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:headerLayout
*/
public static int NavigationView_headerLayout = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#itemBackground}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:itemBackground
*/
public static int NavigationView_itemBackground = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#itemIconTint}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:itemIconTint
*/
public static int NavigationView_itemIconTint = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#itemTextAppearance}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:itemTextAppearance
*/
public static int NavigationView_itemTextAppearance = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#itemTextColor}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:itemTextColor
*/
public static int NavigationView_itemTextColor = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#menu}
attribute's value can be found in the {@link #NavigationView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:menu
*/
public static int NavigationView_menu = 4;
/** Attributes that can be used with a PopupWindow.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #PopupWindow_android_popupAnimationStyle android:popupAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #PopupWindow_android_popupBackground android:popupBackground}</code></td><td></td></tr>
<tr><td><code>{@link #PopupWindow_overlapAnchor android.support.v4:overlapAnchor}</code></td><td></td></tr>
</table>
@see #PopupWindow_android_popupAnimationStyle
@see #PopupWindow_android_popupBackground
@see #PopupWindow_overlapAnchor
*/
public static final int[] PopupWindow = {
0x01010176, 0x010102c9, 0x7f0100d0
};
/**
<p>This symbol is the offset where the {@link android.R.attr#popupAnimationStyle}
attribute's value can be found in the {@link #PopupWindow} array.
@attr name android:popupAnimationStyle
*/
public static int PopupWindow_android_popupAnimationStyle = 1;
/**
<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 int PopupWindow_android_popupBackground = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:overlapAnchor
*/
public static int PopupWindow_overlapAnchor = 2;
/** Attributes that can be used with a PopupWindowBackgroundState.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #PopupWindowBackgroundState_state_above_anchor android.support.v4:state_above_anchor}</code></td><td></td></tr>
</table>
@see #PopupWindowBackgroundState_state_above_anchor
*/
public static final int[] PopupWindowBackgroundState = {
0x7f0100d1
};
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:state_above_anchor
*/
public static int PopupWindowBackgroundState_state_above_anchor = 0;
/** Attributes that can be used with a RecyclerView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #RecyclerView_android_descendantFocusability android:descendantFocusability}</code></td><td></td></tr>
<tr><td><code>{@link #RecyclerView_android_orientation android:orientation}</code></td><td></td></tr>
<tr><td><code>{@link #RecyclerView_layoutManager android.support.v4:layoutManager}</code></td><td></td></tr>
<tr><td><code>{@link #RecyclerView_reverseLayout android.support.v4:reverseLayout}</code></td><td></td></tr>
<tr><td><code>{@link #RecyclerView_spanCount android.support.v4:spanCount}</code></td><td></td></tr>
<tr><td><code>{@link #RecyclerView_stackFromEnd android.support.v4:stackFromEnd}</code></td><td></td></tr>
</table>
@see #RecyclerView_android_descendantFocusability
@see #RecyclerView_android_orientation
@see #RecyclerView_layoutManager
@see #RecyclerView_reverseLayout
@see #RecyclerView_spanCount
@see #RecyclerView_stackFromEnd
*/
public static final int[] RecyclerView = {
0x010100c4, 0x010100f1, 0x7f010000, 0x7f010001,
0x7f010002, 0x7f010003
};
/**
<p>This symbol is the offset where the {@link android.R.attr#descendantFocusability}
attribute's value can be found in the {@link #RecyclerView} array.
@attr name android:descendantFocusability
*/
public static int RecyclerView_android_descendantFocusability = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#orientation}
attribute's value can be found in the {@link #RecyclerView} array.
@attr name android:orientation
*/
public static int RecyclerView_android_orientation = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#layoutManager}
attribute's value can be found in the {@link #RecyclerView} 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 android.support.v4:layoutManager
*/
public static int RecyclerView_layoutManager = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#reverseLayout}
attribute's value can be found in the {@link #RecyclerView} 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 android.support.v4:reverseLayout
*/
public static int RecyclerView_reverseLayout = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#spanCount}
attribute's value can be found in the {@link #RecyclerView} array.
<p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:spanCount
*/
public static int RecyclerView_spanCount = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#stackFromEnd}
attribute's value can be found in the {@link #RecyclerView} 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 android.support.v4:stackFromEnd
*/
public static int RecyclerView_stackFromEnd = 5;
/** Attributes that can be used with a ScrimInsetsFrameLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ScrimInsetsFrameLayout_insetForeground android.support.v4:insetForeground}</code></td><td></td></tr>
</table>
@see #ScrimInsetsFrameLayout_insetForeground
*/
public static final int[] ScrimInsetsFrameLayout = {
0x7f010131
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#insetForeground}
attribute's value can be found in the {@link #ScrimInsetsFrameLayout} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name android.support.v4:insetForeground
*/
public static int ScrimInsetsFrameLayout_insetForeground = 0;
/** Attributes that can be used with a ScrollingViewBehavior_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ScrollingViewBehavior_Layout_behavior_overlapTop android.support.v4:behavior_overlapTop}</code></td><td></td></tr>
</table>
@see #ScrollingViewBehavior_Layout_behavior_overlapTop
*/
public static final int[] ScrollingViewBehavior_Layout = {
0x7f010132
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#behavior_overlapTop}
attribute's value can be found in the {@link #ScrollingViewBehavior_Layout} 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 android.support.v4:behavior_overlapTop
*/
public static int ScrollingViewBehavior_Layout_behavior_overlapTop = 0;
/** Attributes that can be used with a SearchView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SearchView_android_focusable android:focusable}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_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 android.support.v4:closeIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_commitIcon android.support.v4:commitIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_defaultQueryHint android.support.v4:defaultQueryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_goIcon android.support.v4:goIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_iconifiedByDefault android.support.v4:iconifiedByDefault}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_layout android.support.v4:layout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryBackground android.support.v4:queryBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryHint android.support.v4:queryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchHintIcon android.support.v4:searchHintIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchIcon android.support.v4:searchIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_submitBackground android.support.v4:submitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_suggestionRowLayout android.support.v4:suggestionRowLayout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_voiceIcon android.support.v4: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,
0x7f0100d2, 0x7f0100d3, 0x7f0100d4, 0x7f0100d5,
0x7f0100d6, 0x7f0100d7, 0x7f0100d8, 0x7f0100d9,
0x7f0100da, 0x7f0100db, 0x7f0100dc, 0x7f0100dd,
0x7f0100de
};
/**
<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 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 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 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 int SearchView_android_maxWidth = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:closeIcon
*/
public static int SearchView_closeIcon = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:commitIcon
*/
public static int SearchView_commitIcon = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:defaultQueryHint
*/
public static int SearchView_defaultQueryHint = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:goIcon
*/
public static int SearchView_goIcon = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:iconifiedByDefault
*/
public static int SearchView_iconifiedByDefault = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:layout
*/
public static int SearchView_layout = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:queryBackground
*/
public static int SearchView_queryBackground = 15;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:queryHint
*/
public static int SearchView_queryHint = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:searchHintIcon
*/
public static int SearchView_searchHintIcon = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:searchIcon
*/
public static int SearchView_searchIcon = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:submitBackground
*/
public static int SearchView_submitBackground = 16;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:suggestionRowLayout
*/
public static int SearchView_suggestionRowLayout = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:voiceIcon
*/
public static int SearchView_voiceIcon = 12;
/** Attributes that can be used with a SnackbarLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SnackbarLayout_android_maxWidth android:maxWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SnackbarLayout_elevation android.support.v4:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #SnackbarLayout_maxActionInlineWidth android.support.v4:maxActionInlineWidth}</code></td><td></td></tr>
</table>
@see #SnackbarLayout_android_maxWidth
@see #SnackbarLayout_elevation
@see #SnackbarLayout_maxActionInlineWidth
*/
public static final int[] SnackbarLayout = {
0x0101011f, 0x7f01003b, 0x7f010133
};
/**
<p>This symbol is the offset where the {@link android.R.attr#maxWidth}
attribute's value can be found in the {@link #SnackbarLayout} array.
@attr name android:maxWidth
*/
public static int SnackbarLayout_android_maxWidth = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#elevation}
attribute's value can be found in the {@link #SnackbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:elevation
*/
public static int SnackbarLayout_elevation = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#maxActionInlineWidth}
attribute's value can be found in the {@link #SnackbarLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:maxActionInlineWidth
*/
public static int SnackbarLayout_maxActionInlineWidth = 2;
/** Attributes that can be used with a Spinner.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #Spinner_android_dropDownWidth android:dropDownWidth}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_entries android:entries}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_popupBackground android:popupBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_prompt android:prompt}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_popupTheme android.support.v4:popupTheme}</code></td><td></td></tr>
</table>
@see #Spinner_android_dropDownWidth
@see #Spinner_android_entries
@see #Spinner_android_popupBackground
@see #Spinner_android_prompt
@see #Spinner_popupTheme
*/
public static final int[] Spinner = {
0x010100b2, 0x01010176, 0x0101017b, 0x01010262,
0x7f01003c
};
/**
<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 int Spinner_android_dropDownWidth = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#entries}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:entries
*/
public static int Spinner_android_entries = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#popupBackground}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:popupBackground
*/
public static int Spinner_android_popupBackground = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#prompt}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:prompt
*/
public static int Spinner_android_prompt = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:popupTheme
*/
public static int Spinner_popupTheme = 4;
/** Attributes that can be used with a SwitchCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SwitchCompat_android_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 android.support.v4:showText}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_splitTrack android.support.v4:splitTrack}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchMinWidth android.support.v4:switchMinWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchPadding android.support.v4:switchPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchTextAppearance android.support.v4:switchTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTextPadding android.support.v4:thumbTextPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTint android.support.v4:thumbTint}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTintMode android.support.v4:thumbTintMode}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_track android.support.v4:track}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_trackTint android.support.v4:trackTint}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_trackTintMode android.support.v4:trackTintMode}</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_thumbTint
@see #SwitchCompat_thumbTintMode
@see #SwitchCompat_track
@see #SwitchCompat_trackTint
@see #SwitchCompat_trackTintMode
*/
public static final int[] SwitchCompat = {
0x01010124, 0x01010125, 0x01010142, 0x7f0100df,
0x7f0100e0, 0x7f0100e1, 0x7f0100e2, 0x7f0100e3,
0x7f0100e4, 0x7f0100e5, 0x7f0100e6, 0x7f0100e7,
0x7f0100e8, 0x7f0100e9
};
/**
<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 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 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 int SwitchCompat_android_thumb = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:showText
*/
public static int SwitchCompat_showText = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:splitTrack
*/
public static int SwitchCompat_splitTrack = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:switchMinWidth
*/
public static int SwitchCompat_switchMinWidth = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:switchPadding
*/
public static int SwitchCompat_switchPadding = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:switchTextAppearance
*/
public static int SwitchCompat_switchTextAppearance = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:thumbTextPadding
*/
public static int SwitchCompat_thumbTextPadding = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#thumbTint}
attribute's value can be found in the {@link #SwitchCompat} 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 android.support.v4:thumbTint
*/
public static int SwitchCompat_thumbTint = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#thumbTintMode}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><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>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name android.support.v4:thumbTintMode
*/
public static int SwitchCompat_thumbTintMode = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:track
*/
public static int SwitchCompat_track = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#trackTint}
attribute's value can be found in the {@link #SwitchCompat} 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 android.support.v4:trackTint
*/
public static int SwitchCompat_trackTint = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#trackTintMode}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><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>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name android.support.v4:trackTintMode
*/
public static int SwitchCompat_trackTintMode = 7;
/** Attributes that can be used with a TabItem.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #TabItem_android_icon android:icon}</code></td><td></td></tr>
<tr><td><code>{@link #TabItem_android_layout android:layout}</code></td><td></td></tr>
<tr><td><code>{@link #TabItem_android_text android:text}</code></td><td></td></tr>
</table>
@see #TabItem_android_icon
@see #TabItem_android_layout
@see #TabItem_android_text
*/
public static final int[] TabItem = {
0x01010002, 0x010100f2, 0x0101014f
};
/**
<p>This symbol is the offset where the {@link android.R.attr#icon}
attribute's value can be found in the {@link #TabItem} array.
@attr name android:icon
*/
public static int TabItem_android_icon = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout}
attribute's value can be found in the {@link #TabItem} array.
@attr name android:layout
*/
public static int TabItem_android_layout = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#text}
attribute's value can be found in the {@link #TabItem} array.
@attr name android:text
*/
public static int TabItem_android_text = 2;
/** Attributes that can be used with a TabLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #TabLayout_tabBackground android.support.v4:tabBackground}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabContentStart android.support.v4:tabContentStart}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabGravity android.support.v4:tabGravity}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabIndicatorColor android.support.v4:tabIndicatorColor}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabIndicatorHeight android.support.v4:tabIndicatorHeight}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabMaxWidth android.support.v4:tabMaxWidth}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabMinWidth android.support.v4:tabMinWidth}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabMode android.support.v4:tabMode}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabPadding android.support.v4:tabPadding}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabPaddingBottom android.support.v4:tabPaddingBottom}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabPaddingEnd android.support.v4:tabPaddingEnd}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabPaddingStart android.support.v4:tabPaddingStart}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabPaddingTop android.support.v4:tabPaddingTop}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabSelectedTextColor android.support.v4:tabSelectedTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabTextAppearance android.support.v4:tabTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #TabLayout_tabTextColor android.support.v4:tabTextColor}</code></td><td></td></tr>
</table>
@see #TabLayout_tabBackground
@see #TabLayout_tabContentStart
@see #TabLayout_tabGravity
@see #TabLayout_tabIndicatorColor
@see #TabLayout_tabIndicatorHeight
@see #TabLayout_tabMaxWidth
@see #TabLayout_tabMinWidth
@see #TabLayout_tabMode
@see #TabLayout_tabPadding
@see #TabLayout_tabPaddingBottom
@see #TabLayout_tabPaddingEnd
@see #TabLayout_tabPaddingStart
@see #TabLayout_tabPaddingTop
@see #TabLayout_tabSelectedTextColor
@see #TabLayout_tabTextAppearance
@see #TabLayout_tabTextColor
*/
public static final int[] TabLayout = {
0x7f010134, 0x7f010135, 0x7f010136, 0x7f010137,
0x7f010138, 0x7f010139, 0x7f01013a, 0x7f01013b,
0x7f01013c, 0x7f01013d, 0x7f01013e, 0x7f01013f,
0x7f010140, 0x7f010141, 0x7f010142, 0x7f010143
};
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabBackground}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:tabBackground
*/
public static int TabLayout_tabBackground = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabContentStart}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabContentStart
*/
public static int TabLayout_tabContentStart = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabGravity}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>fill</code></td><td>0</td><td></td></tr>
<tr><td><code>center</code></td><td>1</td><td></td></tr>
</table>
@attr name android.support.v4:tabGravity
*/
public static int TabLayout_tabGravity = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabIndicatorColor}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabIndicatorColor
*/
public static int TabLayout_tabIndicatorColor = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabIndicatorHeight}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabIndicatorHeight
*/
public static int TabLayout_tabIndicatorHeight = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabMaxWidth}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabMaxWidth
*/
public static int TabLayout_tabMaxWidth = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabMinWidth}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabMinWidth
*/
public static int TabLayout_tabMinWidth = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabMode}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>scrollable</code></td><td>0</td><td></td></tr>
<tr><td><code>fixed</code></td><td>1</td><td></td></tr>
</table>
@attr name android.support.v4:tabMode
*/
public static int TabLayout_tabMode = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabPadding}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabPadding
*/
public static int TabLayout_tabPadding = 15;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabPaddingBottom}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabPaddingBottom
*/
public static int TabLayout_tabPaddingBottom = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabPaddingEnd}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabPaddingEnd
*/
public static int TabLayout_tabPaddingEnd = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabPaddingStart}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabPaddingStart
*/
public static int TabLayout_tabPaddingStart = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabPaddingTop}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabPaddingTop
*/
public static int TabLayout_tabPaddingTop = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabSelectedTextColor}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabSelectedTextColor
*/
public static int TabLayout_tabSelectedTextColor = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabTextAppearance}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:tabTextAppearance
*/
public static int TabLayout_tabTextAppearance = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#tabTextColor}
attribute's value can be found in the {@link #TabLayout} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:tabTextColor
*/
public static int TabLayout_tabTextColor = 9;
/** Attributes that can be used with a TextAppearance.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #TextAppearance_android_shadowColor android:shadowColor}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_shadowDx android:shadowDx}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_shadowDy android:shadowDy}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_shadowRadius android:shadowRadius}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_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 android.support.v4:textAllCaps}</code></td><td></td></tr>
</table>
@see #TextAppearance_android_shadowColor
@see #TextAppearance_android_shadowDx
@see #TextAppearance_android_shadowDy
@see #TextAppearance_android_shadowRadius
@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,
0x01010161, 0x01010162, 0x01010163, 0x01010164,
0x7f010049
};
/**
<p>This symbol is the offset where the {@link android.R.attr#shadowColor}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:shadowColor
*/
public static int TextAppearance_android_shadowColor = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#shadowDx}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:shadowDx
*/
public static int TextAppearance_android_shadowDx = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#shadowDy}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:shadowDy
*/
public static int TextAppearance_android_shadowDy = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#shadowRadius}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:shadowRadius
*/
public static int TextAppearance_android_shadowRadius = 7;
/**
<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 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 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 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 int TextAppearance_android_typeface = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:textAllCaps
*/
public static int TextAppearance_textAllCaps = 8;
/** Attributes that can be used with a TextInputLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #TextInputLayout_android_hint android:hint}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_android_textColorHint android:textColorHint}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_counterEnabled android.support.v4:counterEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_counterMaxLength android.support.v4:counterMaxLength}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_counterOverflowTextAppearance android.support.v4:counterOverflowTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_counterTextAppearance android.support.v4:counterTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_errorEnabled android.support.v4:errorEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_errorTextAppearance android.support.v4:errorTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_hintAnimationEnabled android.support.v4:hintAnimationEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_hintEnabled android.support.v4:hintEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_hintTextAppearance android.support.v4:hintTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_passwordToggleContentDescription android.support.v4:passwordToggleContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_passwordToggleDrawable android.support.v4:passwordToggleDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_passwordToggleEnabled android.support.v4:passwordToggleEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_passwordToggleTint android.support.v4:passwordToggleTint}</code></td><td></td></tr>
<tr><td><code>{@link #TextInputLayout_passwordToggleTintMode android.support.v4:passwordToggleTintMode}</code></td><td></td></tr>
</table>
@see #TextInputLayout_android_hint
@see #TextInputLayout_android_textColorHint
@see #TextInputLayout_counterEnabled
@see #TextInputLayout_counterMaxLength
@see #TextInputLayout_counterOverflowTextAppearance
@see #TextInputLayout_counterTextAppearance
@see #TextInputLayout_errorEnabled
@see #TextInputLayout_errorTextAppearance
@see #TextInputLayout_hintAnimationEnabled
@see #TextInputLayout_hintEnabled
@see #TextInputLayout_hintTextAppearance
@see #TextInputLayout_passwordToggleContentDescription
@see #TextInputLayout_passwordToggleDrawable
@see #TextInputLayout_passwordToggleEnabled
@see #TextInputLayout_passwordToggleTint
@see #TextInputLayout_passwordToggleTintMode
*/
public static final int[] TextInputLayout = {
0x0101009a, 0x01010150, 0x7f010144, 0x7f010145,
0x7f010146, 0x7f010147, 0x7f010148, 0x7f010149,
0x7f01014a, 0x7f01014b, 0x7f01014c, 0x7f01014d,
0x7f01014e, 0x7f01014f, 0x7f010150, 0x7f010151
};
/**
<p>This symbol is the offset where the {@link android.R.attr#hint}
attribute's value can be found in the {@link #TextInputLayout} array.
@attr name android:hint
*/
public static int TextInputLayout_android_hint = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#textColorHint}
attribute's value can be found in the {@link #TextInputLayout} array.
@attr name android:textColorHint
*/
public static int TextInputLayout_android_textColorHint = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#counterEnabled}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:counterEnabled
*/
public static int TextInputLayout_counterEnabled = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#counterMaxLength}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:counterMaxLength
*/
public static int TextInputLayout_counterMaxLength = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#counterOverflowTextAppearance}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:counterOverflowTextAppearance
*/
public static int TextInputLayout_counterOverflowTextAppearance = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#counterTextAppearance}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:counterTextAppearance
*/
public static int TextInputLayout_counterTextAppearance = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#errorEnabled}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:errorEnabled
*/
public static int TextInputLayout_errorEnabled = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#errorTextAppearance}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:errorTextAppearance
*/
public static int TextInputLayout_errorTextAppearance = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#hintAnimationEnabled}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:hintAnimationEnabled
*/
public static int TextInputLayout_hintAnimationEnabled = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#hintEnabled}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:hintEnabled
*/
public static int TextInputLayout_hintEnabled = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#hintTextAppearance}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:hintTextAppearance
*/
public static int TextInputLayout_hintTextAppearance = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#passwordToggleContentDescription}
attribute's value can be found in the {@link #TextInputLayout} 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 android.support.v4:passwordToggleContentDescription
*/
public static int TextInputLayout_passwordToggleContentDescription = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#passwordToggleDrawable}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name android.support.v4:passwordToggleDrawable
*/
public static int TextInputLayout_passwordToggleDrawable = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#passwordToggleEnabled}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name android.support.v4:passwordToggleEnabled
*/
public static int TextInputLayout_passwordToggleEnabled = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#passwordToggleTint}
attribute's value can be found in the {@link #TextInputLayout} 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 android.support.v4:passwordToggleTint
*/
public static int TextInputLayout_passwordToggleTint = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#passwordToggleTintMode}
attribute's value can be found in the {@link #TextInputLayout} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><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 android.support.v4:passwordToggleTintMode
*/
public static int TextInputLayout_passwordToggleTintMode = 15;
/** Attributes that can be used with a Toolbar.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #Toolbar_android_gravity android:gravity}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_android_minHeight android:minHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_buttonGravity android.support.v4:buttonGravity}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseContentDescription android.support.v4:collapseContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseIcon android.support.v4:collapseIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetEnd android.support.v4:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetEndWithActions android.support.v4:contentInsetEndWithActions}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetLeft android.support.v4:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetRight android.support.v4:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetStart android.support.v4:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetStartWithNavigation android.support.v4:contentInsetStartWithNavigation}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logo android.support.v4:logo}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logoDescription android.support.v4:logoDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_maxButtonHeight android.support.v4:maxButtonHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationContentDescription android.support.v4:navigationContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationIcon android.support.v4:navigationIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_popupTheme android.support.v4:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitle android.support.v4:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextAppearance android.support.v4:subtitleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextColor android.support.v4:subtitleTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_title android.support.v4:title}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMargin android.support.v4:titleMargin}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginBottom android.support.v4:titleMarginBottom}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginEnd android.support.v4:titleMarginEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginStart android.support.v4:titleMarginStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginTop android.support.v4:titleMarginTop}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMargins android.support.v4:titleMargins}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextAppearance android.support.v4:titleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextColor android.support.v4:titleTextColor}</code></td><td></td></tr>
</table>
@see #Toolbar_android_gravity
@see #Toolbar_android_minHeight
@see #Toolbar_buttonGravity
@see #Toolbar_collapseContentDescription
@see #Toolbar_collapseIcon
@see #Toolbar_contentInsetEnd
@see #Toolbar_contentInsetEndWithActions
@see #Toolbar_contentInsetLeft
@see #Toolbar_contentInsetRight
@see #Toolbar_contentInsetStart
@see #Toolbar_contentInsetStartWithNavigation
@see #Toolbar_logo
@see #Toolbar_logoDescription
@see #Toolbar_maxButtonHeight
@see #Toolbar_navigationContentDescription
@see #Toolbar_navigationIcon
@see #Toolbar_popupTheme
@see #Toolbar_subtitle
@see #Toolbar_subtitleTextAppearance
@see #Toolbar_subtitleTextColor
@see #Toolbar_title
@see #Toolbar_titleMargin
@see #Toolbar_titleMarginBottom
@see #Toolbar_titleMarginEnd
@see #Toolbar_titleMarginStart
@see #Toolbar_titleMarginTop
@see #Toolbar_titleMargins
@see #Toolbar_titleTextAppearance
@see #Toolbar_titleTextColor
*/
public static final int[] Toolbar = {
0x010100af, 0x01010140, 0x7f010022, 0x7f010025,
0x7f010029, 0x7f010035, 0x7f010036, 0x7f010037,
0x7f010038, 0x7f010039, 0x7f01003a, 0x7f01003c,
0x7f0100ea, 0x7f0100eb, 0x7f0100ec, 0x7f0100ed,
0x7f0100ee, 0x7f0100ef, 0x7f0100f0, 0x7f0100f1,
0x7f0100f2, 0x7f0100f3, 0x7f0100f4, 0x7f0100f5,
0x7f0100f6, 0x7f0100f7, 0x7f0100f8, 0x7f0100f9,
0x7f0100fa
};
/**
<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 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 int Toolbar_android_minHeight = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#buttonGravity}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
</table>
@attr name android.support.v4:buttonGravity
*/
public static int Toolbar_buttonGravity = 21;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:collapseContentDescription
*/
public static int Toolbar_collapseContentDescription = 23;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:collapseIcon
*/
public static int Toolbar_collapseIcon = 22;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetEnd
*/
public static int Toolbar_contentInsetEnd = 6;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentInsetEndWithActions}
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 android.support.v4:contentInsetEndWithActions
*/
public static int Toolbar_contentInsetEndWithActions = 10;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetLeft
*/
public static int Toolbar_contentInsetLeft = 7;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetRight
*/
public static int Toolbar_contentInsetRight = 8;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:contentInsetStart
*/
public static int Toolbar_contentInsetStart = 5;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#contentInsetStartWithNavigation}
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 android.support.v4:contentInsetStartWithNavigation
*/
public static int Toolbar_contentInsetStartWithNavigation = 9;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:logo
*/
public static int Toolbar_logo = 4;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:logoDescription
*/
public static int Toolbar_logoDescription = 26;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:maxButtonHeight
*/
public static int Toolbar_maxButtonHeight = 20;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:navigationContentDescription
*/
public static int Toolbar_navigationContentDescription = 25;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:navigationIcon
*/
public static int Toolbar_navigationIcon = 24;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:popupTheme
*/
public static int Toolbar_popupTheme = 11;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:subtitle
*/
public static int Toolbar_subtitle = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:subtitleTextAppearance
*/
public static int Toolbar_subtitleTextAppearance = 13;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:subtitleTextColor
*/
public static int Toolbar_subtitleTextColor = 28;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:title
*/
public static int Toolbar_title = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.R.attr#titleMargin}
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 android.support.v4:titleMargin
*/
public static int Toolbar_titleMargin = 14;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleMarginBottom
*/
public static int Toolbar_titleMarginBottom = 18;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleMarginEnd
*/
public static int Toolbar_titleMarginEnd = 16;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleMarginStart
*/
public static int Toolbar_titleMarginStart = 15;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleMarginTop
*/
public static int Toolbar_titleMarginTop = 17;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleMargins
*/
public static int Toolbar_titleMargins = 19;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleTextAppearance
*/
public static int Toolbar_titleTextAppearance = 12;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:titleTextColor
*/
public static int Toolbar_titleTextColor = 27;
/** 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 android.support.v4:paddingEnd}</code></td><td></td></tr>
<tr><td><code>{@link #View_paddingStart android.support.v4:paddingStart}</code></td><td></td></tr>
<tr><td><code>{@link #View_theme android.support.v4: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, 0x7f0100fb, 0x7f0100fc,
0x7f0100fd
};
/**
<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 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 int View_android_theme = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:paddingEnd
*/
public static int View_paddingEnd = 3;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:paddingStart
*/
public static int View_paddingStart = 2;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:theme
*/
public static 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 android.support.v4:backgroundTint}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode android.support.v4:backgroundTintMode}</code></td><td></td></tr>
</table>
@see #ViewBackgroundHelper_android_background
@see #ViewBackgroundHelper_backgroundTint
@see #ViewBackgroundHelper_backgroundTintMode
*/
public static final int[] ViewBackgroundHelper = {
0x010100d4, 0x7f0100fe, 0x7f0100ff
};
/**
<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 int ViewBackgroundHelper_android_background = 0;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:backgroundTint
*/
public static int ViewBackgroundHelper_backgroundTint = 1;
/**
<p>This symbol is the offset where the {@link android.support.v4.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 android.support.v4:backgroundTintMode
*/
public static 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 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 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 int ViewStubCompat_android_layout = 1;
};
}
| [
"32418634+Belerefon@users.noreply.github.com"
] | 32418634+Belerefon@users.noreply.github.com |
782a37d7a015f8a39868c5a00be94f60f55528cb | 4767f0b4f4d0f60d9dd9d71ec11eff21f0d2cfe2 | /src/com/java8/Person.java | 4056e6426ca969cd0ad7f90e41dcf8969763f7e7 | [] | no_license | Namrata571994/JAVA8_STREAM_LAMDA | b2f8704f0b22bb30d05458c460e9f43cfa6a4ee4 | a47504f1b03ed6b52b854ed39857344b47c4c6b9 | refs/heads/master | 2023-04-21T21:33:10.817841 | 2021-05-14T10:50:06 | 2021-05-14T10:50:06 | 367,110,126 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 872 | java | package com.java8;
public class Person {
private String fname;
private String lname;
private int age;
public Person(String fname, String lname, int age) {
this.fname = fname;
this.lname = lname;
this.age = age;
}
public String getFname() {
return fname;
}
public String getLname() {
return lname;
}
public int getAge() {
return age;
}
public void setFname(String fname) {
this.fname = fname;
}
public void setLname(String lname) {
this.lname = lname;
}
public void setAge(int age) {
this.age = age;
}
@Override
public String toString() {
return "Person{" +
"fname='" + fname + '\'' +
", lname='" + lname + '\'' +
", age=" + age +
'}';
}
}
| [
"nmp.1994@gmail.com"
] | nmp.1994@gmail.com |
48c845f124c4a24f43c9c0a81b81ac74fe08b0a3 | e1ed5f410bba8c05310b6a7dabe65b7ef62a9322 | /src/main/java/com/sda/javabyd3/mizi/designPattern/fabricMethod/generators/OfficialReportGenerator.java | 3453547d26beeb9a1d71e0288289838aa5481d56 | [] | no_license | pmkiedrowicz/javabyd3 | 252f70e70f0fc71e8ef9019fdd8cea5bd05ca90b | 7ff8e93c041f27383b3ad31b43f014c059ef53e3 | refs/heads/master | 2022-01-01T08:56:08.747392 | 2019-07-26T19:02:50 | 2019-07-26T19:02:50 | 199,065,478 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 437 | java | package com.sda.javabyd3.mizi.designPattern.fabricMethod.generators;
import com.sda.javabyd3.mizi.designPattern.fabricMethod.reports.OfficialReport;
import com.sda.javabyd3.mizi.designPattern.fabricMethod.reports.Report;
public class OfficialReportGenerator implements ReportGenerator {
@Override
public Report generateRepor(ReportData data) {
// Report generation process
return new OfficialReport();
}
}
| [
"pmkiedrowicz@gmail.com"
] | pmkiedrowicz@gmail.com |
aabb79968cc83649a51cb57051c7dc84e7154d42 | 2ecc1177166394db463b57a8b175b79238158712 | /.metadata/.plugins/org.eclipse.core.resources/.history/9e/5089b96d811a00191d4c977f88270984 | 6db1726cd3732de595b3043f199ac7435c5ad74d | [] | no_license | Dantol91/D07-Deployment | 9535c2e7ffcc0bec1fba1ad6a2e5c3a93235f986 | 6d4a2a0008e66de2b91f0df365aa941b3c02b0ae | refs/heads/master | 2020-04-16T20:34:32.932977 | 2019-01-17T18:36:34 | 2019-01-17T18:36:34 | 165,901,774 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,714 |
package services;
import java.util.ArrayList;
import java.util.Collection;
import javax.transaction.Transactional;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.util.Assert;
import repositories.SectionRepository;
import security.Authority;
import domain.Section;
import domain.Tutorial;
import domain.Url;
@Service
@Transactional
public class SectionService {
// Repository
@Autowired
private SectionRepository repository;
// Services
@Autowired
private ServiceUtils serviceUtils;
@Autowired
private TutorialService tutorialService;
// CRUD methods
public Section findOne(final Integer id) {
this.serviceUtils.checkId(id);
return this.repository.findOne(id);
}
public Collection<Section> findAll(final Collection<Integer> ids) {
this.serviceUtils.checkIds(ids);
return this.repository.findAll(ids);
}
public Collection<Section> findAll() {
return this.repository.findAll();
}
public Collection<Section> findByTutorial(final Tutorial dependency) {
this.serviceUtils.checkId(dependency.getId());
Assert.notNull(this.tutorialService.findOne(dependency.getId()));
return this.repository.findByTutorial(dependency.getId());
}
public Section create(final Tutorial dependency) {
final Section res = new Section();
res.setPictures(new ArrayList<Url>());
res.setNumberOrder(dependency.getSections().size() + 1);
res.setTutorial(dependency);
return res;
}
public Section save(final Section object) {
final Section section = (Section) this.serviceUtils.checkObjectSave(object);
Section movedSection = null;
Collection<Section> sectionsMoving = null;
if (section.getId() == 0) {
this.serviceUtils.checkId(section.getTutorial());
Assert.notNull(section.getTutorial());
sectionsMoving = this.findByNumberOrder(object.getNumberOrder(), section.getTutorial());
for (final Section s : sectionsMoving)
if (s.getId() > 0) {
movedSection = s;
movedSection.setNumberOrder(section.getTutorial().getSections().size() + 1);
}
} else {
section.setPictures(object.getPictures());
section.setText(object.getText());
section.setTitle(object.getTitle());
final Integer sectionNumberOrder = section.getNumberOrder();
sectionsMoving = this.findByNumberOrder(object.getNumberOrder(), section.getTutorial());
for (final Section s : sectionsMoving)
if (!s.equals(object)) {
section.setNumberOrder(s.getNumberOrder());
movedSection = s;
movedSection.setNumberOrder(sectionNumberOrder);
}
}
if (object.getId() == 0)
Assert.isTrue(object.getNumberOrder() <= section.getTutorial().getSections().size() + 1);
else
Assert.isTrue(object.getNumberOrder() <= section.getTutorial().getSections().size());
Assert.isTrue(object.getNumberOrder() > 0);
if (movedSection != null)
this.repository.save(movedSection);
this.serviceUtils.checkActor(section.getTutorial().getHandyWorker());
this.serviceUtils.checkAuthority(Authority.HANDYWORKER);
final Section res = this.repository.save(section);
return res;
}
public void delete(final Section object) {
final Section section = (Section) this.serviceUtils.checkObject(object);
this.serviceUtils.checkActor(section.getTutorial().getHandyWorker());
this.serviceUtils.checkAuthority(Authority.HANDYWORKER);
final Collection<Section> nextSections = this.findNextSections(section.getNumberOrder(), section.getTutorial());
for (final Section s : nextSections)
if (!s.equals(object)) {
s.setNumberOrder(s.getNumberOrder() - 1);
this.repository.save(s);
}
this.repository.delete(section);
}
// Other methods
public void move(final Section section1, final Section section2) {
final Section s1 = (Section) this.serviceUtils.checkObject(section1);
final Section s2 = (Section) this.serviceUtils.checkObject(section2);
final Integer pos1 = s1.getNumberOrder();
final Integer pos2 = s2.getNumberOrder();
s1.setNumberOrder(pos2);
s2.setNumberOrder(pos1);
this.save(s1);
this.save(s2);
}
public Collection<Section> findByNumberOrder(final Integer numberOrder, final Tutorial tutorial) {
Assert.notNull(numberOrder);
Assert.isTrue(numberOrder > 0);
this.serviceUtils.checkObject(tutorial);
return this.repository.findByNumberOrder(numberOrder, tutorial.getId());
}
public Collection<Section> findNextSections(final Integer numberOrder, final Tutorial tutorial) {
Assert.notNull(numberOrder);
Assert.isTrue(numberOrder > 0);
this.serviceUtils.checkObject(tutorial);
return this.repository.findNextSections(numberOrder, tutorial.getId());
}
public void flush() {
this.repository.flush();
}
}
| [
"44117971+Dantol91@users.noreply.github.com"
] | 44117971+Dantol91@users.noreply.github.com | |
caa1ca8fb2b35763f61596c83d8fbb4a5a18c7e4 | aea2cec165aec4e253ed9638f64898194d638e3d | /app/src/androidTest/java/com/tripoffbeat/ExampleInstrumentedTest.java | 34ff6d1a70bd10f1032d29c7d9c28527e2ed5d96 | [] | no_license | dh1105/ToB_app | f5094f900e77b55f7c022fe7933c150d5ff97324 | b05337e90d2fcfa9123c0b9ec33e23125e8eceb1 | refs/heads/master | 2020-04-05T12:10:25.694340 | 2017-07-11T11:04:02 | 2017-07-11T11:04:02 | 95,242,305 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 734 | java | package com.tripoffbeat;
import android.content.Context;
import android.support.test.InstrumentationRegistry;
import android.support.test.runner.AndroidJUnit4;
import org.junit.Test;
import org.junit.runner.RunWith;
import static org.junit.Assert.*;
/**
* Instrumentation 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() throws Exception {
// Context of the app under test.
Context appContext = InstrumentationRegistry.getTargetContext();
assertEquals("com.tripoffbeat", appContext.getPackageName());
}
}
| [
"dhruv2scs@gmail.com"
] | dhruv2scs@gmail.com |
d61d83ab1a236719d14f578c60b6d5d50eea72a1 | 4e8d52f594b89fa356e8278265b5c17f22db1210 | /WebServiceArtifacts/cpdb/cpdbns/GetCpdbIdsInFsetResponse.java | 08dcefb27435a5772b88cbc4e437408843a0ce33 | [] | no_license | ouniali/WSantipatterns | dc2e5b653d943199872ea0e34bcc3be6ed74c82e | d406c67efd0baa95990d5ee6a6a9d48ef93c7d32 | refs/heads/master | 2021-01-10T05:22:19.631231 | 2015-05-26T06:27:52 | 2015-05-26T06:27:52 | 36,153,404 | 1 | 2 | null | null | null | null | UTF-8 | Java | false | false | 1,814 | java |
package cpdbns;
import java.util.ArrayList;
import java.util.List;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlType;
/**
* <p>Java class for anonymous complex type.
*
* <p>The following schema fragment specifies the expected content contained within this class.
*
* <pre>
* <complexType>
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <sequence>
* <element name="cpdbIds" type="{http://www.w3.org/2001/XMLSchema}string" maxOccurs="unbounded" minOccurs="0"/>
* </sequence>
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "", propOrder = {
"cpdbIds"
})
@XmlRootElement(name = "getCpdbIdsInFsetResponse")
public class GetCpdbIdsInFsetResponse {
protected List<String> cpdbIds;
/**
* Gets the value of the cpdbIds property.
*
* <p>
* This accessor method returns a reference to the live list,
* not a snapshot. Therefore any modification you make to the
* returned list will be present inside the JAXB object.
* This is why there is not a <CODE>set</CODE> method for the cpdbIds property.
*
* <p>
* For example, to add a new item, do as follows:
* <pre>
* getCpdbIds().add(newItem);
* </pre>
*
*
* <p>
* Objects of the following type(s) are allowed in the list
* {@link String }
*
*
*/
public List<String> getCpdbIds() {
if (cpdbIds == null) {
cpdbIds = new ArrayList<String>();
}
return this.cpdbIds;
}
}
| [
"ouni_ali@yahoo.fr"
] | ouni_ali@yahoo.fr |
4cfcbe19f3cc709e779c606981a53b544840abc4 | 8c18356a5b9ffa1d9b8faaa4fc6cac64f3331c4d | /app/src/main/java/doge/thecraftcod/recommendations/ListingAdapter.java | 4cbf3a10309bb5d7767d3279e8bc91129dd2c918 | [] | no_license | GerardoDRM/Recommendations | eb9b991f864586a07daa3e61ebc983fdcd46bf90 | f2187ff55b87ee97d6d7f12681ac167c6c019986 | refs/heads/master | 2020-05-07T08:55:23.088823 | 2015-08-03T02:32:34 | 2015-08-03T02:32:34 | 40,098,038 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 5,927 | java | package doge.thecraftcod.recommendations;
import android.content.Intent;
import android.net.Uri;
import android.support.v7.widget.RecyclerView;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ImageButton;
import android.widget.ImageView;
import android.widget.TextView;
import com.google.android.gms.plus.PlusOneButton;
import com.google.android.gms.plus.PlusShare;
import com.squareup.picasso.Picasso;
import doge.thecraftcod.recommendations.api.Etsy;
import doge.thecraftcod.recommendations.google.GoogleServicesHelper;
import doge.thecraftcod.recommendations.model.ActiveListings;
import doge.thecraftcod.recommendations.model.Listing;
import retrofit.Callback;
import retrofit.RetrofitError;
import retrofit.client.Response;
/**
* Created by gerardo on 2/08/15.
*/
public class ListingAdapter extends RecyclerView.Adapter<ListingAdapter.ListingHolder>
implements Callback<ActiveListings>, GoogleServicesHelper.GoogleServicesListener{
public static final int REQUEST_CODE_PLUS_ONE = 10;
public static final int REQUEST_CODE_SHARE = 11;
private MainActivity activity;
private LayoutInflater inflater;
private ActiveListings activeListings;
private boolean isGooglePlayAvailable;
public ListingAdapter(MainActivity activity) {
this.activity = activity;
inflater = LayoutInflater.from(activity);
this.isGooglePlayAvailable = false;
}
@Override
public ListingHolder onCreateViewHolder(ViewGroup viewGroup, int i) {
return new ListingHolder(inflater.inflate(R.layout.layout_listing, viewGroup, false));
}
@Override
public void onBindViewHolder(ListingHolder listingHolder, int i) {
final Listing listing = activeListings.results[i];
listingHolder.titleView.setText(listing.title);
listingHolder.priceView.setText(listing.price);
listingHolder.shopNameView.setText(listing.Shop.shop_name);
listingHolder.itemView.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
Intent openListing = new Intent(Intent.ACTION_VIEW);
openListing.setData(Uri.parse(listing.url));
activity.startActivity(openListing);
}
});
if(isGooglePlayAvailable) {
listingHolder.plusOneButton.setVisibility(View.VISIBLE);
listingHolder.plusOneButton.initialize(listing.url, REQUEST_CODE_PLUS_ONE);
listingHolder.plusOneButton.setAnnotation(PlusOneButton.ANNOTATION_NONE);
listingHolder.sharedButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
Intent i = new PlusShare.Builder(activity)
.setType("text/plain")
.setText("Checkout this item on Etsy" + listing.title)
.setContentUrl(Uri.parse(listing.url))
.getIntent();
activity.startActivityForResult(i, REQUEST_CODE_SHARE);
}
});
}
else {
listingHolder.plusOneButton.setVisibility(View.GONE);
listingHolder.sharedButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
Intent i = new Intent(Intent.ACTION_SEND);
i.putExtra(Intent.EXTRA_TEXT, "Checkout this item on Etsy " + listing.title + " " + listing.url);
i.setType("text/plain");
activity.startActivityForResult(Intent.createChooser(i,"Share"), REQUEST_CODE_SHARE);
}
});
}
Picasso.with(listingHolder.imageView.getContext())
.load(listing.Images[0].url_570xN)
.into(listingHolder.imageView);
}
@Override
public int getItemCount() {
if (activeListings == null)
return 0;
if (activeListings.results == null)
return 0;
return activeListings.results.length;
}
@Override
public void success(ActiveListings activeListings, Response response) {
this.activeListings = activeListings;
notifyDataSetChanged();
this.activity.showList();
}
@Override
public void failure(RetrofitError error) {
this.activity.showError();
}
public ActiveListings getActiveListings() {
return activeListings;
}
@Override
public void onConnected() {
if(getItemCount() == 0) {
Etsy.getActiveListings(this);
}
isGooglePlayAvailable = true;
notifyDataSetChanged();
}
@Override
public void onDisconnected() {
if(getItemCount() == 0) {
Etsy.getActiveListings(this);
}
isGooglePlayAvailable = false;
notifyDataSetChanged();
}
public class ListingHolder extends RecyclerView.ViewHolder {
public ImageView imageView;
public TextView titleView;
public TextView shopNameView;
public TextView priceView;
public PlusOneButton plusOneButton;
public ImageButton sharedButton;
public ListingHolder(View itemView) {
super(itemView);
imageView = (ImageView) itemView.findViewById(R.id.listing_image);
titleView = (TextView) itemView.findViewById(R.id.listing_title);
shopNameView = (TextView) itemView.findViewById(R.id.listing_shop_name);
priceView = (TextView) itemView.findViewById(R.id.listing_price);
plusOneButton = (PlusOneButton) itemView.findViewById(R.id.listing_plus_one_button);
sharedButton = (ImageButton) itemView.findViewById(R.id.listing_share_btn);
}
}
}
| [
"gerardo.delarosama@udlap.mx"
] | gerardo.delarosama@udlap.mx |
eb70b591800085a3df40b9dab29f798ec3fb34c0 | 4857ca3da07749c414219c4ffc10f69b22dba486 | /1st year/2nd semester/CNV-MazeRunner-Cloud-master/lib/BIT/lowBIT/LocalVariableTable_Attribute.java | 94fe465634364ea890539573a90e1f0649bea0b6 | [] | no_license | JoaoSilvestre95/MEIC-A-Projects | 790b5d355506433186218cdbecdbf4e77ccdff3d | 8bdb4152068dd1b5041aa67d4aaf9ca1e6dd4332 | refs/heads/master | 2021-09-19T07:25:04.025618 | 2018-07-25T01:03:48 | 2018-07-25T01:03:48 | 125,192,557 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,775 | java | /* LocalVariableTable_Attribute.java
* Part of BIT -- Bytecode Instrumenting Tool
*
* Copyright (c) 1997, The Regents of the University of Colorado. All
* Rights Reserved.
*
* Permission to use and copy this software and its documentation for
* NON-COMMERCIAL purposes and without fee is hereby granted provided
* that this copyright notice appears in all copies. If you wish to use
* or wish to have others use BIT for commercial purposes please contact,
* Stephen V. O'Neil, Director, Office of Technology Transfer at the
* University of Colorado at Boulder (303) 492-5647.
*
* By downloading BIT, the User agrees and acknowledges that in no event
* will the Regents of the University of Colorado be liable for any
* damages including lost profits, lost savings or other indirect,
* incidental, special or consequential damages arising out of the use or
* inability to use the BIT software.
*
* BIT was invented by Han Bok Lee at the University of Colorado in
* Boulder, Colorado.
*/
package BIT.lowBIT;
import java.io.*;
public class LocalVariableTable_Attribute extends Attribute_Info {
// data members
// local_variable_table_length indicates the number of entries in the
// local_variable_table array
public short local_variable_table_length;
public Local_Variable_Table local_variable_table[];
// cosntructor
public LocalVariableTable_Attribute(DataInputStream iStream, short attribute_name_index)
throws IOException {
this.attribute_name_index = attribute_name_index;
attribute_length = iStream.readInt();
if (System.getProperty("CJKDEBUG3") != null)
System.err.println("READ BIT parsing len: " + attribute_length);
local_variable_table_length = (short) iStream.readUnsignedShort();
local_variable_table = new Local_Variable_Table[local_variable_table_length];
if (System.getProperty("CJKDEBUG3") != null)
System.err.println("LVT reading sizes, attri_len: " + attribute_length + " tablelen: "
+ local_variable_table_length +" nameindex: " + attribute_name_index);
for (int i = 0; i < local_variable_table_length; i++) {
local_variable_table[i] = new Local_Variable_Table(iStream);
}
}
public void write(DataOutputStream oStream) throws IOException {
oStream.writeShort((int) attribute_name_index);
oStream.writeInt(attribute_length);
oStream.writeShort((int) local_variable_table_length);
if (System.getProperty("CJKDEBUG3") != null)
System.err.println("LVT writing sizes, attri_len: " + attribute_length + " tablelen: "
+ local_variable_table_length +" nameindex: " + attribute_name_index);
for (int i = 0; i < local_variable_table_length; i++) {
local_variable_table[i].write(oStream);
}
}
}
| [
"joao.p.silvestre@tecnico.ulisboa.pt"
] | joao.p.silvestre@tecnico.ulisboa.pt |
203b61eb9112cede27efba67d19c59ec5978d4a9 | d55d9f4318bec6e1d3eb5e644b1817d3856897de | /src/java/com/fz/tms/params/map/GoogleDirMapAllVehi.java | 972c707d0455a727e046894c25f4f123d4da3b29 | [] | no_license | FZ-Analytics/FZWebApp | 07fc41318e9e20aca2794c64a4bc6510a63424c0 | 899249a9835b17a6c213748fba4fce15727982d9 | refs/heads/master | 2021-05-14T18:37:46.452605 | 2018-01-18T06:19:21 | 2018-01-18T06:19:21 | 104,828,130 | 0 | 2 | null | 2017-09-26T10:20:46 | 2017-09-26T02:51:57 | CSS | UTF-8 | Java | false | false | 13,960 | java | /*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
package com.fz.tms.params.map;
import com.fz.tms.params.map.*;
import com.fz.generic.BusinessLogic;
import com.fz.generic.Db;
import com.fz.tms.params.map.key.GooAPICaller;
import com.fz.tms.params.model.DODetil;
import com.fz.tms.params.model.OptionModel;
import com.fz.tms.params.service.Other;
import com.fz.util.FZUtil;
import com.fz.util.UrlResponseGetter;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import java.math.BigDecimal;
import java.math.RoundingMode;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.text.DateFormat;
import java.text.DecimalFormat;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.HashMap;
import java.util.List;
import java.util.Random;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.jsp.PageContext;
/**
*
* @author dwi.rangga
*/
public class GoogleDirMapAllVehi implements BusinessLogic {
String key = Constava.googleKey;
List<String> vehi = new ArrayList<String>();
@Override
public void run(HttpServletRequest request, HttpServletResponse response,
PageContext pc) throws Exception {
//KEY google AIzaSyB_lu1GKTDK0Lc08lT6p1f4WFZaFvILIGY
String runID = FZUtil.getHttpParam(request, "runID");
String vCode = FZUtil.getHttpParam(request, "vCode");
String channel = FZUtil.getHttpParam(request, "channel");
String sql = "SELECT\n" +
" aq.jobNb,\n" +
" CASE\n" +
" WHEN aw.Name1 IS NULL THEN aq.vehicle_code\n" +
" ELSE aw.Name1\n" +
" END AS title,\n" +
" aq.lat,\n" +
" aq.lon,\n" +
" CASE\n" +
" WHEN aq.depart = '' THEN(\n" +
" SELECT\n" +
" startTime\n" +
" FROM\n" +
" BOSNET1.dbo.TMS_VehicleAtr\n" +
" WHERE\n" +
" vehicle_code = aq.vehicle_code\n" +
" AND included = 1\n" +
" )\n" +
" ELSE aq.arrive\n" +
" END AS arrive,\n" +
" CASE\n" +
" WHEN aq.depart = '' THEN aq.arrive\n" +
" ELSE aq.depart\n" +
" END AS depart,\n" +
" aw.Street,\n" +
" aw.Distribution_Channel,\n" +
" aw.deliv,\n" +
" aw.DeliveryDeadline,\n" +
" aw.openDay,\n" +
" aw.Customer_priority,\n" +
" (\n" +
" SELECT\n" +
" (\n" +
" stuff(\n" +
" (\n" +
" SELECT\n" +
" '; ' + DO_Number\n" +
" FROM\n" +
" bosnet1.dbo.TMS_PreRouteJob a\n" +
" WHERE\n" +
" Is_Edit = 'edit'\n" +
" AND Customer_ID = aw.customer_ID\n" +
" AND RunId = aw.runID\n" +
" GROUP BY\n" +
" DO_Number FOR xml PATH('')\n" +
" ),\n" +
" 1,\n" +
" 2,\n" +
" ''\n" +
" )\n" +
" )\n" +
" ) AS DO_number,\n" +
" aq.vehicle_code\n" +
"FROM\n" +
" BOSNET1.dbo.TMS_RouteJob aq\n" +
"LEFT OUTER JOIN(\n" +
" SELECT\n" +
" distinct RunId, Customer_ID, Name1, Street, Distribution_Channel, deliv, DeliveryDeadline, openDay, min(Customer_priority) Customer_priority\n" +
" FROM\n" +
" (\n" +
" SELECT RunId, Customer_ID, Name1, Street, Distribution_Channel, concat(deliv_start, ' - ', deliv_end) as deliv,\n" +
" DeliveryDeadline, concat((DayWinStart -1), '-', (DayWinEnd - 1)) openDay, Customer_priority\n" +
" FROM\n" +
" BOSNET1.dbo.TMS_PreRouteJob\n" +
" \n" +
" ) a\n" +
"\n" +
" group by RunId, Customer_ID, Name1, Street, Distribution_Channel, deliv, DeliveryDeadline, openDay\n" +
" ) aw ON\n" +
" aq.customer_id = aw.Customer_ID and aq.RunId = aw.RunId\n" +
"WHERE\n" +
" aq.runID = '"+runID+"'\n" +
" AND aq.vehicle_code <> 'NA'\n" +
"ORDER BY\n" +
" aq.vehicle_code,\n" +
" aq.arrive,\n" +
" aq.jobNb;";
//GooAPICaller go = new GooAPICaller();
//StringBuffer tr = new StringBuffer();
//StringBuffer tu = new StringBuffer();
//go.go("https://maps.googleapis.com/maps/api/directions/json?origin=-6.292103,106.842926&destination=-6.292103,106.842926&waypoints=-6.294761,106.834986|-6.294761,106.833986", tr, tu);
try (Connection con = (new Db()).getConnection("jdbc/fztms");
PreparedStatement ps = con.prepareStatement(sql)) {
try (ResultSet rs = ps.executeQuery()) {
List<List<HashMap<String, String>>> all = new ArrayList<List<HashMap<String, String>>>();
List<HashMap<String, String>> asd = new ArrayList<HashMap<String, String>>();
//ArrayList<HashMap<String, String>> ar = new ArrayList<HashMap<String, String>>();
HashMap<String, String> pl = new HashMap<String, String>();
//https://www.w3schools.com/colors/colors_names.asp
/*String[] myList = {"ff5050", "ffff52", "52ff52", "52ffff", "5252ff", "ff52ff", "ff7d52", "d4ff52", "52ff7d",
"52d4ff", "7d52ff", "ff52d4", "ffa852", "a8ff52", "52ffa8", "52a8ff", "a852ff", "ff52a8", "ffd452",
"7dff52", "52ffd4", "527dff", "d452ff", "ff527d"};*/
String[] myList = {"FAEBD7","00FFFF","7FFFD4","0000FF","8A2BE2","A52A2A","DEB887","5F9EA0","7FFF00",
"D2691E","FF7F50","6495ED","FFF8DC","DC143C","00FFFF","00008B","008B8B","B8860B","A9A9A9","006400","BDB76B",
"8B008B","8B0000","556B2F","FF8C00","9932CC","E9967A","8FBC8F","483D8B","00CED1","9400D3","00CED1","9400D3",
"FF1493","B22222","00BFFF","228B22","FF00FF","1E90FF","FFD700","008000","FF69B4","CD5C5C","DAA520","ADFF2F",
"4B0082","F0E68C","FFF0F5","7CFC00","ADD8E6","F08080","90EE90","FFB6C1","FFA07A","20B2AA","00FF00","B0C4DE",
"87CEFA","FF00FF","66CDAA","BA55D3","9370DB","3CB371"};
int p = 0;
String vehi = "";
String NB = "";
String clr = "";
//vehi();
List<OptionModel> js = new ArrayList<OptionModel>();
OptionModel om = new OptionModel();
while (rs.next()) {
pl = new HashMap<String, String>();
int i = 1;
pl.put("jobNb", FZUtil.getRsString(rs, i++, ""));
pl.put("title", FZUtil.getRsString(rs, i++, ""));
pl.put("lat", FZUtil.getRsString(rs, i++, ""));
pl.put("lng", FZUtil.getRsString(rs, i++, ""));
String arrive = FZUtil.getRsString(rs, i++, "");
String depart = FZUtil.getRsString(rs, i++, "");
String street = FZUtil.getRsString(rs, i++, "");
String Distribution_Channel = FZUtil.getRsString(rs, i++, "");
String deliv = FZUtil.getRsString(rs, i++, "");
String DeliveryDeadline = FZUtil.getRsString(rs, i++, "");
String openDay = FZUtil.getRsString(rs, i++, "7-7");
String Customer_priority = FZUtil.getRsString(rs, i++, "");
String DO_number = FZUtil.getRsString(rs, i++, "");
String vehicle_code = FZUtil.getRsString(rs, i++, "");
String str = "<h2>" + pl.get("title") + "</h2><p>Channel : "+ Distribution_Channel + "(" + DeliveryDeadline + ")"
+ "</p><p>Priority : " + Customer_priority + " (" + vehicle_code + ")" + "</p> " + "</p><p>Street : " + street + "</p><p>Arrive : "
+ arrive + " - " + depart + "</p><p>Open : " + day(String.valueOf(openDay.charAt(0))) + "-"
+ day(String.valueOf(openDay.charAt(2))) + " (" + deliv + ")" + "</p><p> Do: " + DO_number + "</p><p> lat;lng : "
+ pl.get("lat") + ";" + pl.get("lng") + "</p>";
pl.put("description", str);
pl.put("color", myList[p].toUpperCase());
//pl.put("channel", FZUtil.getRsString(rs, i++, ""));
asd.add(pl);
if(om.Display == null ||
!om.Display.equalsIgnoreCase(vehicle_code)){
om = new OptionModel();
om.Display = vehicle_code;
om.Value = "#" + myList[p].toUpperCase();
js.add(om);
}
if (!pl.get("title").equalsIgnoreCase(vehi)
&& street == ""
&& !pl.get("jobNb").equalsIgnoreCase("1")) {
//clr = clr();
p = p + 1;
//remove & replace pertama dengan akhir
asd.add(0, pl);
asd.remove(1);
vehi = pl.get("title");
all.add(asd);
asd = new ArrayList<HashMap<String, String>>();
}
}
//String str = asd.toString();
Gson gson = new GsonBuilder().setPrettyPrinting().create();
String jsonOutput = gson.toJson(all);
//jsonOutput = "{\"myObj\":" + jsonOutput + "}";
System.out.println(jsonOutput.toString());
request.setAttribute("key", channel);
request.setAttribute("key", key);
request.setAttribute("test", jsonOutput.toString());
request.setAttribute("JobOptionModel", js);
//request.setAttribute("branch", br);
}
}catch(Exception e){
HashMap<String, String> pl = new HashMap<String, String>();
pl.put("ID", runID);
pl.put("fileNmethod", "GoogleDirMapAllVehi&run Exc");
pl.put("datas", "");
pl.put("msg", e.getMessage());
DateFormat dateFormat = new SimpleDateFormat("yyyy/MM/dd HH:mm");
Date date = new Date();
pl.put("dates", dateFormat.format(date).toString());
Other.insertLog(pl);
}
}
public static String clr() {
// create random object - reuse this as often as possible
Random random = new Random();
// create a big random number - maximum is ffffff (hex) = 16777215 (dez)
int nextInt = random.nextInt(256*256*256);
// format it as hexadecimal string (with hashtag and leading zeros)
String colorCode = String.format("#%06x", nextInt);
// print it
System.out.println(colorCode);
return colorCode.toUpperCase();
}
public String cek(String ttl){
String str = "ERROR";
for(int a=0;a<vehi.size();a++){
if(ttl.equalsIgnoreCase(vehi.get(a))){
str = "OK";
}
}
return str;
}
public void vehi() throws Exception{
String str = "";
String sql = "SELECT distinct vehicle_code FROM BOSNET1.dbo.TMS_VehicleAtr where included = 1";
//GooAPICaller go = new GooAPICaller();
//StringBuffer tr = new StringBuffer();
//StringBuffer tu = new StringBuffer();
//go.go("https://maps.googleapis.com/maps/api/directions/json?origin=-6.292103,106.842926&destination=-6.292103,106.842926&waypoints=-6.294761,106.834986|-6.294761,106.833986", tr, tu);
try (Connection con = (new Db()).getConnection("jdbc/fztms");
PreparedStatement ps = con.prepareStatement(sql)) {
try (ResultSet rs = ps.executeQuery()) {
while (rs.next()) {
int i = 1;
vehi.add(FZUtil.getRsString(rs, i++, ""));
}
}
}
}
public String day(String str){
String day = "";
if(str.equalsIgnoreCase("1")){
day = "Mon";
}else if(str.equalsIgnoreCase("2")){
day = "Tue";
}else if(str.equalsIgnoreCase("3")){
day = "Wed";
}else if(str.equalsIgnoreCase("4")){
day = "Thu";
}else if(str.equalsIgnoreCase("5")){
day = "Fri";
}else if(str.equalsIgnoreCase("6")){
day = "Sat";
}else{
day = new String();
}
return day;
}
}
| [
"dwi.oktaviandi@JSCPYGZZA1261.sinarmas-distribusi.com"
] | dwi.oktaviandi@JSCPYGZZA1261.sinarmas-distribusi.com |
4e44bf47c3d6a608c87d21bc0d7edb5777a56ecc | da76a2bb9c48ed6a3adb626457ba1cb0e9a9eb30 | /src/main/java/cn/leetcode/_264_Ugly_Number_II.java | 30c522cd5e994e298f20a66c371f0f8f0f7ce159 | [] | no_license | nothing2016/leetCode | e548b01ba47273c57ce1818acc9254d45d02e9b3 | f2ead9e6371cc82cd911315f447c92f76c4c4eff | refs/heads/master | 2023-06-05T00:26:02.701429 | 2021-07-01T02:06:48 | 2021-07-01T02:06:48 | 312,720,016 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,142 | java | package cn.leetcode;
import java.util.HashSet;
import java.util.PriorityQueue;
import java.util.Set;
/**
* 264. 丑数 II
* 给你一个整数 n ,请你找出并返回第 n 个 丑数 。
* <p>
* 丑数 就是只包含质因数 2、3 和/或 5 的正整数。
* <p>
* <p>
* <p>
* 示例 1:
* <p>
* 输入:n = 10
* 输出:12
* 解释:[1, 2, 3, 4, 5, 6, 8, 9, 10, 12] 是由前 10 个丑数组成的序列。
* 示例 2:
* <p>
* 输入:n = 1
* 输出:1
* 解释:1 通常被视为丑数。
* <p>
* <p>
* 提示:
* <p>
* 1 <= n <= 1690
*
* @author oudaming
* @date 2021/4/11 0011 09:29
*/
public class _264_Ugly_Number_II {
public static void main(String[] args) {
System.out.println(nthUglyNumber(10));
System.out.println(nthUglyNumber(1690));
}
public static int nthUglyNumber2(int n) {
// 这种方法会导致oom,无法申请那么大的内存
int N = 100 - 1;
boolean[] isUgly = new boolean[N + 1];
isUgly[1] = true;
for (int i = 1; i <= N; i++) {
if (isUgly[i]) {
if (i * 2 <= N) {
isUgly[i * 2] = true;
}
if (i * 3 <= N) {
isUgly[i * 3] = true;
}
if (i * 5 <= N) {
isUgly[i * 5] = true;
}
}
}
// 获取结果
int count = 0;
for (int i = 1; i <= N; i++) {
if (isUgly[i]) {
count++;
if (count == n) {
return i;
}
}
}
return 0;
}
// 方法超时
public static int nthUglyNumber3(int n) {
int count = 0;
for (int i = 1; i <= Integer.MAX_VALUE; i++) {
if (isUgly(i)) {
count++;
if (count == n) {
return i;
}
}
}
return -1;
}
public static boolean isUgly(int n) {
if (n <= 0) {
return false;
}
if (n == 1) {
return true;
}
int[] factories = new int[]{2, 3, 5};
for (int fact : factories) {
// 将n一直除上2,3,5,如果最后剩下1,那么就是丑数
while (n % fact == 0) {
n /= fact;
}
}
return n == 1;
}
/**
* 使用堆来求解
*
* @param n
* @return
*/
public static int nthUglyNumber(int n) {
int[] factors = {2, 3, 5};
Set<Long> set = new HashSet<Long>();
PriorityQueue<Long> heap = new PriorityQueue<Long>();
set.add(1L);
heap.add(1L);
int ugly = 0;
for (int i = 0; i < n; i++) {
long cur = heap.poll();
ugly = (int) cur;
for (int factor : factors) {
long next = cur * factor;
if (!set.contains(next)) {
heap.add(next);
set.add(next);
}
}
}
return ugly;
}
}
| [
"805269294@qq.com"
] | 805269294@qq.com |
52a9c1b6a808887eb5a4f959759c5a1447ffb205 | f4af3f609580cc65d44fab5cad9cfcdeb0fe3b13 | /src/cn/xu419/annotation/getClassAnnotation.java | 28fe6650b9206191e4aefb301f414f63145eabf4 | [] | no_license | zhang91478/OnlineTestModel2 | b538a8def66c56a798f840c2033cb050ea26f9d3 | f719016fc3b2d17d542a3017a9508675bd105cbe | refs/heads/master | 2021-08-18T18:47:40.193440 | 2017-11-23T15:01:05 | 2017-11-23T15:01:05 | 110,416,234 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 223 | java | package cn.xu419.annotation;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
@Retention(RetentionPolicy.RUNTIME)
public @interface getClassAnnotation {
public String className();
}
| [
"2294858483@qq.com"
] | 2294858483@qq.com |
94258f2e6470064d84b770ad4d04cdec85622116 | 58a29b144dc0c23804a074831c3886cb1c2bc7d7 | /1.JavaSyntax/src/com/javarush/task/task04/task0404/Cat.java | 4b9fda504dbe6788c40de32aaf545469680bfad0 | [] | no_license | BEKTOP/JavaRushTasks | 539a210eb76879a07bb577effd4d9fb86762b01f | fe0019454dc64246d3c045e15581d705b18af5b5 | refs/heads/master | 2021-08-19T21:04:32.353208 | 2017-11-27T11:38:45 | 2017-11-27T11:38:45 | 112,188,149 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 321 | java | package com.javarush.task.task04.task0404;
/*
Реализовать метод addNewCat
*/
public class Cat {
private static int catsCount = 0;
public static void addNewCat() {
catsCount++;
//напишите тут ваш код
}
public static void main(String[] args) {
}
}
| [
"5809909@tut.by"
] | 5809909@tut.by |
a6c6cabd48db7b7a3a8e1642dc181acd95eb877f | 2e17f9bab427647bd7ad5b6a07544d21e16b11e3 | /Chapter18/PalindromRecursiveHelper/PalindromRecursiveHelperTester.java | e90b96d52fbbbb74e4e2ebc46c98de07c418c9cc | [
"MIT"
] | permissive | freakygeeks/BigJavaCodeSolution | 42918111d8efb7bcb88616b256e44894c6433ed1 | ed02f808cf61a1bf0f3af8bd5fb891d10229e3f3 | refs/heads/master | 2021-07-11T13:15:00.466897 | 2021-04-02T14:49:48 | 2021-04-02T14:49:48 | 52,708,407 | 3 | 0 | null | 2021-04-02T14:41:13 | 2016-02-28T06:35:46 | Java | UTF-8 | Java | false | false | 482 | java | //Chapter 18 - Example 18.1
import java.util.Scanner;
public class PalindromRecursiveHelperTester
{
public static void main (String[] args)
{
Scanner in = new Scanner(System.in);
System.out.print("Please enter a string : ");
String s = in.next();
PalindromRecursiveHelper drom = new PalindromRecursiveHelper(s);
if (drom.isPalindrom())
{
System.out.println(s + " is a palindrom");
}
else
{
System.out.println(s + " is not a palindrom");
}
}
} | [
"freakygeeks@users.noreply.github.com"
] | freakygeeks@users.noreply.github.com |
5c26c026f82036c6bab6d4157fb5055b78d07b19 | 6594af108754dc9b4b8238033cb91c1e1b1c52f1 | /src/de/hsrm/mi/swt/grundreisser/business/catalog/Furniture.java | fb4bd443025dc08b6aa09c227198f7cac34b5ef2 | [] | no_license | NataschaM/SWT | 087464fe42085ae3bdfb771ffb7cecd552d5cae7 | 2e106cf5619dc1507e86724a398f805ecb81963b | refs/heads/master | 2021-01-23T02:54:11.028196 | 2014-07-07T22:17:16 | 2014-07-07T22:17:16 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 957 | java | package de.hsrm.mi.swt.grundreisser.business.catalog;
import java.awt.Dimension;
import java.io.Serializable;
/**
* Interface for furniture saved and loaded in the catalog. It can be products
* of a furniture house or the items created by user
*
* @author nmuel002
*
*/
public interface Furniture extends Cloneable, Serializable {
/**
* enum to distinguish different types of furniture
*
* @author nmuel002
*
*/
public enum FurnitureType {
CATALOG, CUSTOM, GROUP
};
/**
* Returns the id of the item in catalog
*
* @return id
*/
public int getId();
/**
* Returns the size of the furniture
*
* @return dimension: width and height
*/
public Dimension getSize();
/**
* Returns the name of the furniture
*
* @return name
*/
public String getName();
/**
* Returns the type of the furniture
*
* @return furniture type
*/
public FurnitureType getFurnitureType();
public Object clone();
}
| [
"natallia.mueller@gmail.com"
] | natallia.mueller@gmail.com |
d64f94d13a77907b42d56268fb9831e8d7115370 | 616186880fc03e28514093a5915b7b228d02f63a | /design-patterns/src/com/sample/design/patterns/structural/flyweight/Rectangle.java | 86c7d80dfd964173ab729f546b05f38681f21ce3 | [] | no_license | mohsinkd786/samples | 3904d3b4c64a4c97ad68c4822ef64b9586424e69 | fb8542507dd3b917d72bc26efc33d3781d723a64 | refs/heads/master | 2021-01-23T20:06:01.139329 | 2017-09-14T14:23:23 | 2017-09-14T14:23:23 | 102,849,230 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 604 | java | package com.sample.design.patterns.structural.flyweight;
import java.awt.Color;
import java.awt.Font;
import java.awt.Graphics;
public class Rectangle implements Shape {
private String label;
public Rectangle(String label) {
this.label = label;
}
public void draw(Graphics rectangle, int x, int y, int width, int height, Color color, boolean fill, String font) {
rectangle.setColor(color);
rectangle.drawRect(x, y, width, height);
rectangle.setFont(new Font(font, 12, 12));
rectangle.drawString(label, x + (width / 2), y);
if (fill)
rectangle.fillRect(x, y, width, height);
}
}
| [
"momo@Mohsins-MacBook-Air.local"
] | momo@Mohsins-MacBook-Air.local |
a8ecf1bcfcb96bda32021277888151a23f5af1c1 | b1de3c60bf4932b93322acca7b9e26f44274b1a7 | /lap-java/Java02-Variable/src/edu/java/variable07/VariableMain07.java | 29f403f0a033423fa038eee9cb926ea18800c78e | [] | no_license | JY9113/JavaCode | d92b7e81d386cd3846a472aed3b479b4cc29335e | 4bfe975f66cc5b7676665419cbf35bfe56841bf7 | refs/heads/master | 2021-04-29T05:28:10.048151 | 2017-02-05T18:30:11 | 2017-02-05T18:30:11 | 77,981,472 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,250 | java | package edu.java.variable07;
public class VariableMain07 {
public static void main(String[] args) {
System.out.println("문자 타입(char)\n");
// char : 문자 하나를 저장하는 데이터 타입, 2바이트를 사용
// 문자의 유니코드값을 저장하는 타입. (유니코드는 정수, 음수가 아니다)
// 0~65535 까지 표현 가능. (2^16)
// 자바는 유니코드를 이용해서 문자를 표현.
// 문자(character)는 작은 따옴표('')를 사용.
// 문자열(string)은 큰 따옴표("")를 사용.
// '한' : 문자(char), '' 도 가능
// "한글" : 문자열(string), "한" : 문자열, "" 비어있을수도 있다.
char ch1 = 'A';
System.out.println("ch1 = " + ch1);
System.out.println("ch1 = " + (int) ch1); //char를 int로 변환해서 출력 (강제 형 변환)
System.out.println("");
char ch2 = 'B';
System.out.println("ch2 = " + ch2);
System.out.println("ch2 = " + (int) ch2);
System.out.println("");
char ch3 = '1';
System.out.println("ch3 = " + ch3);
System.out.println("ch3 = " + (int) ch3);
System.out.println("");
char ch4 = 1; //''로 묶으면 문자, 묶지 않으면 이건 리터럴. 리터럴은 int로 4바이트이고 char는 2바이트. 자동 형변환
//원칙적으로는 큰 타입에서 작은 타입으로 형변환 안된다. 그런데 자바가 예외적으로 int는 넘치지만 않으면 작은 타입으로 형변환 가능.
System.out.println("ch4 = " + ch4);
System.out.println("ch4 = " + (int) ch4);
System.out.println("");
char ch5 = 54620; //char는 2바이트임에도 불구하고 정수형 타입 중에서 음수가 없는 숫자 타입.
//2바이트는 3만...까지 가능한데 음수가 없으므로 6만까지 가능.
System.out.println("ch5 = " + ch5);
System.out.println("");
char ch6 = '한';
System.out.println("ch6 = " + ch6);
System.out.println("");
boolean b1 = 'A' < 'B'; //char는 문자가 가진 코드로 비교. 크기 비교가 가능하다.
System.out.println("b = " + b1);
boolean b2 = '가' > '나';
System.out.println("b2 = " +b2);
System.out.println("");
}
}
| [
"jiyoungahn9113@gmail.com"
] | jiyoungahn9113@gmail.com |
34a6b3239a409068a34c441a373d4c8d2128c203 | 87105a7bc7160fbfb37fa09da0fe0af6b0961c5e | /app/src/main/java/com/example/zkw/janggwaanimation/evaluator/PointEvaluaor.java | d888cfea871be709b1c9537e9c695b032c58fbee | [] | no_license | jinguo/JangGwaAnimation | f24253c76f2e7baf53d62db770ecfa8e7a45aab2 | 1d6ac6c8ecbaa85d72d67762b5e610f6e42f54f9 | refs/heads/master | 2021-06-05T03:26:47.226192 | 2016-08-04T11:15:50 | 2016-08-04T11:15:50 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 670 | java | package com.example.zkw.janggwaanimation.evaluator;
import android.animation.TypeEvaluator;
import com.example.zkw.janggwaanimation.bean.Point;
/**
* Created by zkw on 2016/8/4.
*/
public class PointEvaluaor implements TypeEvaluator {
@Override
public Object evaluate(float fraction, Object startValue, Object endValue) {
Point startPoint = (Point) startValue;
Point endPoint = (Point) endValue;
float x = startPoint.getX() + fraction * (endPoint.getX() - startPoint.getX());
float y = startPoint.getY() + fraction * (endPoint.getY() - startPoint.getY());
Point point = new Point(x,y);
return point;
}
}
| [
"janggwazkw@gmail.com"
] | janggwazkw@gmail.com |
4a8d25a8dbab7bdd79b7e5cea1b2c507581d7817 | 0bb1a516aa5abeeb0a65d2d6452767cbaa3c1e28 | /Leetcode_Java/src/hack/leetcode/dev/FindKPairsWithSmallestSums.java | 519298990915cf7002f999c6b3b4b3ba2913232d | [] | no_license | yshanstar/Leetcode_Shan_Java | 2ad35dcd38c4b0b0e3ba929abf18d3c64da74094 | 08e26cbfc499ac77766242e9ba5fa420e2289570 | refs/heads/master | 2020-04-04T05:42:25.057602 | 2018-02-22T06:53:01 | 2018-02-22T06:53:01 | 17,582,509 | 1 | 1 | null | null | null | null | UTF-8 | Java | false | false | 2,316 | java | package hack.leetcode.dev;
import java.util.ArrayList;
import java.util.List;
import java.util.PriorityQueue;
import java.util.Queue;
/*
* You are given two integer arrays nums1 and nums2 sorted in ascending order and an integer k.
Define a pair (u,v) which consists of one element from the first array and one element from the second array.
Find the k pairs (u1,v1),(u2,v2) ...(uk,vk) with the smallest sums.
Example 1:
Given nums1 = [1,7,11], nums2 = [2,4,6], k = 3
Return: [1,2],[1,4],[1,6]
The first 3 pairs are returned from the sequence:
[1,2],[1,4],[1,6],[7,2],[7,4],[11,2],[7,6],[11,4],[11,6]
Example 2:
Given nums1 = [1,1,2], nums2 = [1,2,3], k = 2
Return: [1,1],[1,1]
The first 2 pairs are returned from the sequence:
[1,1],[1,1],[1,2],[2,1],[1,2],[2,2],[1,3],[1,3],[2,3]
Example 3:
Given nums1 = [1,2], nums2 = [3], k = 3
Return: [1,3],[2,3]
All possible pairs are returned from the sequence:
[1,3],[2,3]
*/
public class FindKPairsWithSmallestSums {
int[][] direction = new int[][] { { 0, 1 }, { 1, 0 } };
public List<int[]> kSmallestPairs(int[] nums1, int[] nums2, int k) {
List<int[]> res = new ArrayList<int[]>();
if (nums1 == null || nums2 == null || nums1.length == 0 || nums2.length == 0 || k <= 0) {
return res;
}
int m = nums1.length;
int n = nums2.length;
boolean[][] visited = new boolean[m][n];
PriorityQueue<Pair> queue = new PriorityQueue<FindKPairsWithSmallestSums.Pair>();
queue.offer(new Pair(0, 0, nums1[0] + nums2[0]));
visited[0][0] = true;
while (k > 0 && !queue.isEmpty()) {
Pair p = queue.poll();
res.add(new int[] { nums1[p.i], nums2[p.j] });
k--;
for (int[] dir : direction) {
int ii = p.i + dir[0];
int jj = p.j + dir[1];
if (ii < 0 || ii >= m || jj < 0 || jj >= n || visited[ii][jj]) {
continue;
}
visited[ii][jj] = true;
queue.offer(new Pair(ii, jj, nums1[ii] + nums2[jj]));
}
}
return res;
}
class Pair implements Comparable<Pair> {
int i;
int j;
int val;
public Pair(int i, int j, int v) {
this.i = i;
this.j = j;
this.val = v;
}
@Override
public int compareTo(Pair o) {
// TODO Auto-generated method stub
return val - o.val;
}
}
}
| [
"shye@microsoft.com"
] | shye@microsoft.com |
5ff9d8168f1bf52049b801bdaff75da34d6fced7 | f8d08e8a1b8c126644b469a407441cff83887bf4 | /src/main/java/com/homeki/core/http/rest/TriggerResource.java | 1d4b2ab6178bcb10a7851cf406e7c92ebeeb7570 | [] | no_license | homeki/homekicore | 3368aa3e3c7df2418434498e5b0b6252b9260baa | ddc278c968b27780b2dc8914a5b7b0b0a2ecb261 | refs/heads/develop | 2021-01-17T07:10:39.485710 | 2016-03-31T19:14:33 | 2016-03-31T19:14:33 | 14,283,155 | 1 | 1 | null | 2016-04-05T18:41:21 | 2013-11-10T19:54:12 | Java | UTF-8 | Java | false | false | 2,471 | java | package com.homeki.core.http.rest;
import com.homeki.core.http.ApiException;
import com.homeki.core.json.JsonTrigger;
import com.homeki.core.json.JsonVoid;
import com.homeki.core.main.Util;
import com.homeki.core.storage.Hibernate;
import com.homeki.core.triggers.Trigger;
import org.hibernate.Session;
import javax.ws.rs.*;
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.Response;
import java.util.List;
@Path("/triggers")
@Consumes(MediaType.APPLICATION_JSON)
@Produces(MediaType.APPLICATION_JSON)
public class TriggerResource {
@GET
public Response list() {
List<Trigger> list = Hibernate.currentSession().createCriteria(Trigger.class).list();
return Response.ok(JsonTrigger.convertList(list)).build();
}
@POST
public Response add(JsonTrigger jtrigger) {
if (Util.nullOrEmpty(jtrigger.name))
throw new ApiException("Trigger name cannot be empty.");
Trigger trigger = new Trigger();
trigger.setName(jtrigger.name);
if (jtrigger.description != null)
trigger.setDescription(jtrigger.description);
else
trigger.setDescription("");
Hibernate.currentSession().save(trigger);
return Response.ok(new JsonTrigger(trigger)).build();
}
@POST
@Path("/{triggerId}")
public Response set(@PathParam("triggerId") int triggerId, JsonTrigger jtrigger) {
Trigger trigger = (Trigger)Hibernate.currentSession().get(Trigger.class, triggerId);
if (trigger == null)
throw new ApiException("No trigger with the specified ID found.");
if (Util.nullOrEmpty(jtrigger.name))
throw new ApiException("New trigger name cannot be empty.");
if (jtrigger.name != null)
trigger.setName(jtrigger.name);
if (jtrigger.description != null)
trigger.setDescription(jtrigger.description);
return Response.ok(new JsonTrigger(trigger)).build();
}
@DELETE
@Path("/{triggerId}")
public Response delete(@PathParam("triggerId") int triggerId) {
Session ses = Hibernate.currentSession();
Trigger trigger = (Trigger)ses.get(Trigger.class, triggerId);
if (trigger == null)
throw new ApiException("No trigger with the specified ID found.");
ses.delete(trigger);
return Response.ok(new JsonVoid("Trigger successfully deleted.")).build();
}
@Path("/{triggerId}/actions")
public Class<TriggerActionResource> continueInAction() {
return TriggerActionResource.class;
}
@Path("/{triggerId}/conditions")
public Class<TriggerConditionResource> continueInCondition() {
return TriggerConditionResource.class;
}
}
| [
"jonas.osc@rsson.nu"
] | jonas.osc@rsson.nu |
94346dee1a55de19baf749416d0caf8638c15814 | dbc4afbba669cd6f1bed2713905dffd8f8960d91 | /app/src/androidTest/java/cai/base/src/com/basetest/ExampleInstrumentedTest.java | fc0d4b1cb1b9a38cfdcb9481890ab8db783ac3f0 | [] | no_license | 17771436337/BaseLibarray | c125b452a670064d2686edf288bbc20d9462f71d | c823106e1a83c5ef05a90ea3c11a717a437311f1 | refs/heads/master | 2021-09-01T18:45:11.848709 | 2017-12-28T08:34:11 | 2017-12-28T08:34:11 | 110,525,367 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 754 | java | package cai.base.src.com.basetest;
import android.content.Context;
import android.support.test.InstrumentationRegistry;
import android.support.test.runner.AndroidJUnit4;
import org.junit.Test;
import org.junit.runner.RunWith;
import static org.junit.Assert.*;
/**
* Instrumentation 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() throws Exception {
// Context of the app under test.
Context appContext = InstrumentationRegistry.getTargetContext();
assertEquals("cai.base.src.com.basetest", appContext.getPackageName());
}
}
| [
"1020233514@qq.com"
] | 1020233514@qq.com |
621737af02c60a4436c8ef74d3a7c6c32bd89031 | 875d88ee9cf7b40c9712178d1ee48f0080fa0f8a | /geronimo-jcdi_2.0_spec/src/main/java/javax/decorator/Decorator.java | b3d3369c44d2fac55c174f2af1da7d26340cb90c | [
"Apache-2.0",
"W3C",
"W3C-19980720"
] | permissive | jgallimore/geronimo-specs | b152164488692a7e824c73a9ba53e6fb72c6a7a3 | 09c09bcfc1050d60dcb4656029e957837f851857 | refs/heads/trunk | 2022-12-15T14:02:09.338370 | 2020-09-14T18:21:46 | 2020-09-14T18:21:46 | 284,994,475 | 0 | 1 | Apache-2.0 | 2020-09-14T18:21:47 | 2020-08-04T13:51:47 | Java | UTF-8 | Java | false | false | 1,490 | 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 javax.decorator;
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 javax.enterprise.inject.Stereotype;
/**
* Defines decorator classes.
* Classes annotated with @Decorator will get picked up by the CDI container and
* 'decorate' the implemented CDI ManagedBeans.
*
* A Decorator must implement at least one of the Interfaces of it's decorated type.
*
*
* @version $Rev$ $Date$
*
*/
@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Stereotype
public @interface Decorator
{
} | [
"struberg@apache.org"
] | struberg@apache.org |
3e9e564772a5fd62ea447ac71eb963fcb5fe62d3 | a280aa9ac69d3834dc00219e9a4ba07996dfb4dd | /regularexpress/home/weilaidb/work/app/hadoop-2.7.3-src/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-api/src/main/java/org/apache/hadoop/yarn/server/api/protocolrecords/RunSharedCacheCleanerTaskRequest.java | b8e71f04d40de69d73128285ca96f292e8c57556 | [] | no_license | weilaidb/PythonExample | b2cc6c514816a0e1bfb7c0cbd5045cf87bd28466 | 798bf1bdfdf7594f528788c4df02f79f0f7827ce | refs/heads/master | 2021-01-12T13:56:19.346041 | 2017-07-22T16:30:33 | 2017-07-22T16:30:33 | 68,925,741 | 4 | 2 | null | null | null | null | UTF-8 | Java | false | false | 267 | java | package org.apache.hadoop.yarn.server.api.protocolrecords;
import org.apache.hadoop.classification.InterfaceAudience.Public;
import org.apache.hadoop.classification.InterfaceStability.Unstable;
@Public
@Unstable
public abstract class RunSharedCacheCleanerTaskRequest
| [
"weilaidb@localhost.localdomain"
] | weilaidb@localhost.localdomain |
da8910f307ee25c1fdb2e434dd4c41e018f4ef0e | adab927df925547ef351fb0fba7c3fd4c3e8adce | /hello-kubernetes-stackdriver/src/main/java/com/learning/kubernetes/hellokubernetes/InstanceInformationService.java | 1f2cb0191c562be7378d14c851741e373bcc7db3 | [] | no_license | kbhatt23/spring-boot-kubernetes | 4597104a9f791c233e318f176cb67897f406a29a | 9e774d208e3252a3edebf3fb12d857fde6538a31 | refs/heads/master | 2022-02-08T17:35:06.012081 | 2022-01-31T11:14:21 | 2022-01-31T11:14:21 | 228,551,190 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 573 | java | package com.learning.kubernetes.hellokubernetes;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Service;
@Service
public class InstanceInformationService {
private static final String HOST_NAME = "HOSTNAME";
private static final String DEFAULT_ENV_INSTANCE_GUID = "LOCAL";
// @Value(${ENVIRONMENT_VARIABLE_NAME:DEFAULT_VALUE})
@Value("${" + HOST_NAME + ":" + DEFAULT_ENV_INSTANCE_GUID + "}")
private String hostName;
public String retrieveInstanceInfo() {
return hostName.substring(hostName.length()-5);
}
}
| [
"admin@host.docker.internal"
] | admin@host.docker.internal |
d0ec4b884cf99e279bdb84962864e353fa667a89 | 5e5b102c39515d13dde1c584512b0eb1197d3b0b | /src/main/java/com/wjf/system_wjf/controller/CrudComputer.java | 43cf307c1128cd7c1a48c662c8df324d1af4d195 | [] | no_license | 1716416169/system_wjf | 5d0d269b062856e8068d2ebcf76cf934fedb4905 | 342a1e4c37dada29171c91745e2cc7be62ab4225 | refs/heads/master | 2020-09-26T16:38:33.428811 | 2019-12-09T12:34:16 | 2019-12-09T12:34:16 | 226,293,454 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,651 | java | package com.wjf.system_wjf.controller;
import com.wjf.system_wjf.entity.Computer;
import com.wjf.system_wjf.server.impl.CrudComputerServerImpl;
import io.swagger.annotations.ApiImplicitParam;
import io.swagger.annotations.ApiImplicitParams;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Page;
import org.springframework.web.bind.annotation.*;
@CrossOrigin
@RestController
@RequestMapping("/computer")
public class CrudComputer {//pom文件jdbc starter 和 mysql-connect-java starter添加错误
@Autowired
CrudComputerServerImpl crudComputerServer;
@GetMapping("/selectComputer")
@ApiImplicitParams({
@ApiImplicitParam(name="page",value="页码",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="size",value="本页条数",dataType="Integer", paramType = "query",example="1")
})
public Page<Computer> selectComputer(@RequestParam(name = "page") Integer page,@RequestParam(name = "size") Integer size){
Page<Computer> computers = crudComputerServer.selectComputer(page ,size);
System.out.println("查询的"+computers);
return computers;
}
@PutMapping("/insertComputer")
@ApiImplicitParams({
@ApiImplicitParam(name="page",value="页码",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="size",value="本页条数",dataType="Integer", paramType = "query",example="1"),
})
public Page<Computer> insertComputer(Integer page, Integer size,Computer computer){
Computer computer1 = crudComputerServer.insertComputer(computer);
System.out.println("插入的"+computer1);
Page<Computer> computers = crudComputerServer.selectComputer(page, size);
return computers;
}
@PostMapping("/updateComputer")
@ApiImplicitParams({
@ApiImplicitParam(name="page",value="页码",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="size",value="本页条数",dataType="Integer", paramType = "query",example="1"),
})
public Page<Computer> updateComputer(Integer page, Integer size,Computer computer){
Computer computer1 = crudComputerServer.updateComputer(computer);
System.out.println("更新的"+computer1);
Page<Computer> computers = crudComputerServer.selectComputer(page, size);
return computers;
}
@DeleteMapping("/deleteComputer")
@ApiImplicitParams({
@ApiImplicitParam(name="page",value="页码",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="size",value="本页条数",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="ids",value="数组",dataType="Integer[]", paramType = "query",example="1")
})
public Page<Computer> deleteComputer(Integer page, Integer size,@RequestParam(value = "ids[]")Integer ... ids){
for (Integer id:ids) {
System.out.println(id);
}
crudComputerServer.deleteComputer(ids);
Page<Computer> computers = crudComputerServer.selectComputer(page, size);
return computers;
}
@DeleteMapping("/deleteComputerById")
@ApiImplicitParams({
@ApiImplicitParam(name="page",value="页码",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="size",value="本页条数",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="id",value="id",dataType="Integer", paramType = "query",example="1")
})
public Page<Computer> deleteComputerById(Integer page, Integer size,Integer id){
crudComputerServer.deleteComputerById(id);
System.out.println("删除的"+id);
Page<Computer> computers = crudComputerServer.selectComputer(page, size);
return computers;
}
@GetMapping("/selectComputerByName")
@ApiImplicitParams({
@ApiImplicitParam(name="page",value="页码",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="size",value="本页条数",dataType="Integer", paramType = "query",example="1"),
@ApiImplicitParam(name="name",value="名字",dataType="String", paramType = "query",example="test")
})
public Page<Computer> selectComputerByName(Integer page,Integer size,String name){
System.out.println("查询名字"+name);
Page<Computer> computers = crudComputerServer.selectComputerByName(page, size, name);
System.out.println("名字查询:"+computers);
return computers;
}
}
| [
"1716416169@qq.com"
] | 1716416169@qq.com |
f0600107b28fe81ffed9565f52139c3d977a5db1 | 9eacc882441ce9e00561eed81f15fb4fcee594d7 | /taotao-manager/taotao-manager-pojo/src/main/java/com/taotao/pojo/TbContentCategory.java | bbff4e55af95bc80285debff7fbad2619a663f84 | [] | no_license | WS1009/IDEA | c00bac36410c95e58d97f029b89a75b40ba2aa6a | 1a4bce7a403b443297359172d1068712030a5a58 | refs/heads/master | 2021-05-07T22:24:25.699856 | 2017-10-17T02:32:21 | 2017-10-17T02:32:21 | 107,205,496 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,990 | java | package com.taotao.pojo;
import java.io.Serializable;
import java.util.Date;
public class TbContentCategory implements Serializable {
private Long id;
private Long parentId;
private String name;
private Integer status;
private Integer sortOrder;
private Boolean isParent;
private Date created;
private Date updated;
public TbContentCategory(Long id, Long parentId, String name, Integer status, Integer sortOrder, Boolean isParent, Date created, Date updated) {
this.id = id;
this.parentId = parentId;
this.name = name;
this.status = status;
this.sortOrder = sortOrder;
this.isParent = isParent;
this.created = created;
this.updated = updated;
}
public TbContentCategory() {
super();
}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public Long getParentId() {
return parentId;
}
public void setParentId(Long parentId) {
this.parentId = parentId;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name == null ? null : name.trim();
}
public Integer getStatus() {
return status;
}
public void setStatus(Integer status) {
this.status = status;
}
public Integer getSortOrder() {
return sortOrder;
}
public void setSortOrder(Integer sortOrder) {
this.sortOrder = sortOrder;
}
public Boolean getIsParent() {
return isParent;
}
public void setIsParent(Boolean isParent) {
this.isParent = isParent;
}
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;
}
} | [
"wangshun611@163.com"
] | wangshun611@163.com |
0ae56f2bd16c80fad6a95b13c4794fe81cd09fae | 54c1dcb9a6fb9e257c6ebe7745d5008d29b0d6b6 | /app/src/main/java/com/google/android/gms/internal/firebase_ml/zzhc.java | 46299b4bb6a5b561ddc50188f1fe10ffff43ef5f | [] | no_license | rcoolboy/guilvN | 3817397da465c34fcee82c0ca8c39f7292bcc7e1 | c779a8e2e5fd458d62503dc1344aa2185101f0f0 | refs/heads/master | 2023-05-31T10:04:41.992499 | 2021-07-07T09:58:05 | 2021-07-07T09:58:05 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 258 | java | package com.google.android.gms.internal.firebase_ml;
import java.nio.charset.Charset;
public final class zzhc {
public static final Charset ISO_8859_1 = Charset.forName("ISO-8859-1");
public static final Charset UTF_8 = Charset.forName("UTF-8");
}
| [
"593746220@qq.com"
] | 593746220@qq.com |
bb7a8e8e761ab0b6ed2cbd6f4713a34771a139d5 | e514a389b89aeb4c5de963c344f274249e6591e5 | /hb-eager-vs-lazy-demo/src/com/luv2code/hibernate/demo/entity/Instructor.java | 5b59f9af92b78e20441d9c91da56be53eefc50b7 | [] | no_license | FamManh/java-tutorial | a34d05db490214938237ca1db955aae1682473fc | 946edd4e6cc4d8db671b77e8f1bf8f397d978be4 | refs/heads/master | 2023-03-13T07:30:32.687269 | 2021-03-03T02:12:07 | 2021-03-03T02:12:07 | 339,065,972 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,487 | java | package com.luv2code.hibernate.demo.entity;
import java.util.ArrayList;
import java.util.List;
import javax.persistence.CascadeType;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.FetchType;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.OneToMany;
import javax.persistence.OneToOne;
import javax.persistence.Table;
@Entity
@Table(name="instructor")
public class Instructor {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
@Column(name="id")
int id;
@Column(name="first_name")
String firstName;
@Column(name="last_name")
String lastName;
@Column(name="email")
String email;
@OneToOne(cascade = CascadeType.ALL)
@JoinColumn(name="instructor_detail_id")
InstructorDetail instructorDetail;
@OneToMany(fetch = FetchType.LAZY, mappedBy = "instructor", cascade = {CascadeType.DETACH, CascadeType.MERGE, CascadeType.PERSIST, CascadeType.REFRESH})
List<Course> courses;
public Instructor() {
}
public Instructor(String firstName, String lastName, String email) {
this.firstName = firstName;
this.lastName = lastName;
this.email = email;
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getFirstName() {
return firstName;
}
public void setFirstName(String firstName) {
this.firstName = firstName;
}
public String getLastName() {
return lastName;
}
public void setLastName(String lastName) {
this.lastName = lastName;
}
public String getEmail() {
return email;
}
public void setEmail(String email) {
this.email = email;
}
public InstructorDetail getInstructorDetail() {
return instructorDetail;
}
public void setInstructorDetail(InstructorDetail instructorDetail) {
this.instructorDetail = instructorDetail;
}
@Override
public String toString() {
return "Instructor [id=" + id + ", firstName=" + firstName + ", lastName=" + lastName + ", email=" + email
+ ", instructorDetail=" + instructorDetail + "]";
}
public List<Course> getCourses() {
return courses;
}
public void setCourses(List<Course> courses) {
this.courses = courses;
}
// add convenience methods for bi-directional relationship
public void add (Course tempCourse) {
if(courses == null) {
courses = new ArrayList<>();
}
courses.add(tempCourse);
tempCourse.setInstructor(this);
}
}
| [
"manh.pham@digicommercegroup.com"
] | manh.pham@digicommercegroup.com |
b645aab1a521e3465b80273cf8ab24fea169e042 | 5ebf8e5463d207b5cc17e14cc51e5a1df135ccb9 | /moe.apple/moe.platform.ios/src/main/java/apple/uikit/NSFileProviderExtension.java | e78831f096cbd11b02f6d5f8678ca232c245c9d1 | [
"ICU",
"Apache-2.0",
"W3C"
] | permissive | multi-os-engine-community/moe-core | 1cd1ea1c2caf6c097d2cd6d258f0026dbf679725 | a1d54be2cf009dd57953c9ed613da48cdfc01779 | refs/heads/master | 2021-07-09T15:31:19.785525 | 2017-08-22T10:34:50 | 2017-08-22T10:59:02 | 101,847,137 | 1 | 0 | null | 2017-08-30T06:43:46 | 2017-08-30T06:43:46 | null | UTF-8 | Java | false | false | 7,243 | java | /*
Copyright 2014-2016 Intel Corporation
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package apple.uikit;
import apple.NSObject;
import apple.foundation.NSArray;
import apple.foundation.NSDictionary;
import apple.foundation.NSError;
import apple.foundation.NSMethodSignature;
import apple.foundation.NSSet;
import apple.foundation.NSURL;
import org.moe.natj.c.ann.FunctionPtr;
import org.moe.natj.general.NatJ;
import org.moe.natj.general.Pointer;
import org.moe.natj.general.ann.Generated;
import org.moe.natj.general.ann.Library;
import org.moe.natj.general.ann.Mapped;
import org.moe.natj.general.ann.MappedReturn;
import org.moe.natj.general.ann.NInt;
import org.moe.natj.general.ann.NUInt;
import org.moe.natj.general.ann.Owned;
import org.moe.natj.general.ann.ReferenceInfo;
import org.moe.natj.general.ann.Runtime;
import org.moe.natj.general.ptr.Ptr;
import org.moe.natj.general.ptr.VoidPtr;
import org.moe.natj.objc.Class;
import org.moe.natj.objc.ObjCRuntime;
import org.moe.natj.objc.SEL;
import org.moe.natj.objc.ann.ObjCBlock;
import org.moe.natj.objc.ann.ObjCClassBinding;
import org.moe.natj.objc.ann.Selector;
import org.moe.natj.objc.map.ObjCObjectMapper;
@Generated
@Library("UIKit")
@Runtime(ObjCRuntime.class)
@ObjCClassBinding
public class NSFileProviderExtension extends NSObject {
static {
NatJ.register();
}
@Generated
protected NSFileProviderExtension(Pointer peer) {
super(peer);
}
@Generated
@Selector("accessInstanceVariablesDirectly")
public static native boolean accessInstanceVariablesDirectly();
@Generated
@Owned
@Selector("alloc")
public static native NSFileProviderExtension alloc();
@Generated
@Selector("allocWithZone:")
@MappedReturn(ObjCObjectMapper.class)
public static native Object allocWithZone(VoidPtr zone);
@Generated
@Selector("automaticallyNotifiesObserversForKey:")
public static native boolean automaticallyNotifiesObserversForKey(String key);
@Generated
@Selector("cancelPreviousPerformRequestsWithTarget:")
public static native void cancelPreviousPerformRequestsWithTarget(@Mapped(ObjCObjectMapper.class) Object aTarget);
@Generated
@Selector("cancelPreviousPerformRequestsWithTarget:selector:object:")
public static native void cancelPreviousPerformRequestsWithTargetSelectorObject(
@Mapped(ObjCObjectMapper.class) Object aTarget, SEL aSelector,
@Mapped(ObjCObjectMapper.class) Object anArgument);
@Generated
@Selector("classFallbacksForKeyedArchiver")
public static native NSArray<String> classFallbacksForKeyedArchiver();
@Generated
@Selector("classForKeyedUnarchiver")
public static native Class classForKeyedUnarchiver();
@Generated
@Selector("debugDescription")
public static native String debugDescription_static();
@Generated
@Selector("description")
public static native String description_static();
@Generated
@Selector("hash")
@NUInt
public static native long hash_static();
@Generated
@Selector("instanceMethodForSelector:")
@FunctionPtr(name = "call_instanceMethodForSelector_ret")
public static native NSObject.Function_instanceMethodForSelector_ret instanceMethodForSelector(SEL aSelector);
@Generated
@Selector("instanceMethodSignatureForSelector:")
public static native NSMethodSignature instanceMethodSignatureForSelector(SEL aSelector);
@Generated
@Selector("instancesRespondToSelector:")
public static native boolean instancesRespondToSelector(SEL aSelector);
@Generated
@Selector("isSubclassOfClass:")
public static native boolean isSubclassOfClass(Class aClass);
@Generated
@Selector("keyPathsForValuesAffectingValueForKey:")
public static native NSSet<String> keyPathsForValuesAffectingValueForKey(String key);
@Generated
@Owned
@Selector("new")
@MappedReturn(ObjCObjectMapper.class)
public static native Object new_objc();
@Generated
@Selector("placeholderURLForURL:")
public static native NSURL placeholderURLForURL(NSURL url);
@Generated
@Selector("resolveClassMethod:")
public static native boolean resolveClassMethod(SEL sel);
@Generated
@Selector("resolveInstanceMethod:")
public static native boolean resolveInstanceMethod(SEL sel);
@Generated
@Selector("setVersion:")
public static native void setVersion_static(@NInt long aVersion);
@Generated
@Selector("superclass")
public static native Class superclass_static();
@Generated
@Selector("version")
@NInt
public static native long version_static();
@Generated
@Selector("writePlaceholderAtURL:withMetadata:error:")
public static native boolean writePlaceholderAtURLWithMetadataError(NSURL placeholderURL,
NSDictionary<?, ?> metadata, @ReferenceInfo(type = NSError.class) Ptr<NSError> error);
@Generated
@Selector("URLForItemWithPersistentIdentifier:")
public native NSURL URLForItemWithPersistentIdentifier(String identifier);
@Generated
@Selector("documentStorageURL")
public native NSURL documentStorageURL();
@Generated
@Selector("init")
public native NSFileProviderExtension init();
@Generated
@Selector("itemChangedAtURL:")
public native void itemChangedAtURL(NSURL url);
@Generated
@Selector("persistentIdentifierForItemAtURL:")
public native String persistentIdentifierForItemAtURL(NSURL url);
@Generated
@Selector("providePlaceholderAtURL:completionHandler:")
public native void providePlaceholderAtURLCompletionHandler(NSURL url,
@ObjCBlock(name = "call_providePlaceholderAtURLCompletionHandler") Block_providePlaceholderAtURLCompletionHandler completionHandler);
@Generated
@Selector("providerIdentifier")
public native String providerIdentifier();
@Generated
@Selector("startProvidingItemAtURL:completionHandler:")
public native void startProvidingItemAtURLCompletionHandler(NSURL url,
@ObjCBlock(name = "call_startProvidingItemAtURLCompletionHandler") Block_startProvidingItemAtURLCompletionHandler completionHandler);
@Generated
@Selector("stopProvidingItemAtURL:")
public native void stopProvidingItemAtURL(NSURL url);
@Runtime(ObjCRuntime.class)
@Generated
public interface Block_providePlaceholderAtURLCompletionHandler {
@Generated
void call_providePlaceholderAtURLCompletionHandler(NSError arg0);
}
@Runtime(ObjCRuntime.class)
@Generated
public interface Block_startProvidingItemAtURLCompletionHandler {
@Generated
void call_startProvidingItemAtURLCompletionHandler(NSError arg0);
}
}
| [
"kristof.liliom@migeran.com"
] | kristof.liliom@migeran.com |
261bc93598335fddf69c9e81a4c3a3aad1722920 | dc599e9ff38515bc4505450fa6b2a07f2bc83a3c | /algorithms/java/src/DynamicProgramming/DistinctSubsequencesT.java | 4ff9ce4ed99d79c75adefdaeee1f50be4be63763 | [] | no_license | Jack47/leetcode | dd53da8b884074f23bc04eb14429fe7a6bdf3aca | aed4f6a90b6a69ffcd737b919eb5ba0113a47d40 | refs/heads/master | 2021-01-10T16:27:41.855762 | 2018-07-20T08:53:36 | 2018-07-20T08:53:36 | 44,210,364 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 819 | java | package DynamicProgramming;
public class DistinctSubsequencesT {
// subsequence(s) ==> t
public int numDistinct(String s, String t) {
int[][] dp = new int[t.length() + 1][s.length() + 1];
for (int i = 0; i <= t.length(); i++) {
for (int j = 0; j <= s.length(); j++) {
if (i == 0) {
dp[i][j] = 1;
continue;
}
if (j == 0) {
dp[i][j] = 0;
continue;
}
if (t.charAt(i - 1) == s.charAt(j - 1)) {
dp[i][j] = dp[i][j - 1] + dp[i - 1][j - 1] * 1;
} else {
dp[i][j] = dp[i][j - 1];
}
}
}
return dp[t.length()][s.length()];
}
}
| [
"scsvip@gmail.com"
] | scsvip@gmail.com |
8dbba4a761f463c5eb06eb74e356930c2352fe08 | 47e264174eb39185cb5e017a92ed6320e0bcf450 | /src/de/philipphock/android/fragmentretaininstance/MainActivity.java | 5f7150b60758afa34b222313547d4a2b08ffa847 | [] | no_license | Bagception/FragmentRetainInstance | 57790c9c3add6b4e1afaec82398f9d2ef318d65b | 89a194ab96c8eaabcc2c4ef3373fc618b5d9c244 | refs/heads/master | 2021-01-22T09:26:15.236552 | 2013-08-27T13:29:56 | 2013-08-27T13:29:56 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,148 | java | package de.philipphock.android.fragmentretaininstance;
import de.philipphock.android.lib.TaskCallbacks;
import de.philipphock.android.lib.TaskFragment;
import android.os.Bundle;
import android.app.Activity;
import android.app.FragmentManager;
import android.util.Log;
import android.view.Menu;
import android.widget.TextView;
public class MainActivity extends Activity implements TaskCallbacks<MyTask>{
private TaskFragment<MyTask> taskFragment;
private static final String TASK_FRAGMENT_TAG = "taskFragment";
@SuppressWarnings("unchecked")
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
FragmentManager fm = getFragmentManager();
taskFragment = (TaskFragment<MyTask>) fm.findFragmentByTag(TASK_FRAGMENT_TAG);
if (taskFragment == null) {
taskFragment = new DummyTaskFragment();
fm.beginTransaction().add(taskFragment, TASK_FRAGMENT_TAG).commit();
}
}
@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
protected void onPause() {
super.onPause();
}
@Override
protected void onResume() {
super.onResume();
}
@Override
protected void onStart() {
super.onStart();
}
@Override
protected void onStop() {
super.onStop();
}
@Override
protected void onRestart() {
super.onRestart();
}
@Override
public void onPreExecute() {
}
@Override
public void onPostExecute() {
}
@Override
public void onCancelled() {
}
@Override
public void onUpdate(final MyTask task) {
Log.d("Test",task.getCounter()+"");
runOnUiThread(new Runnable() {
@Override
public void run() {
TextView statusTextView = (TextView) findViewById(R.id.status);
statusTextView.setText(task.getCounter()+"");
Log.d("Test","updating view "+statusTextView.getId()+" "+task.getCounter());
}
});
}
}
| [
"mail@philipphock.de"
] | mail@philipphock.de |
d753160482a9ed634736f13f7fa3cfb57501a1f1 | fe0851fdab6b35bc0f3059971824e036eb1d954b | /java/opbm/src/opbm/panels/right/PanelRightListbox.java | 875698a9dd8393dfa1eba1c6ad12fac0a443dd48 | [] | no_license | van-smith/OPBM | 751f8f71e6823b7f1c95e5002909427910479f90 | 889d8ead026731f7f5ae0e9d5f0e730bb7731ffe | HEAD | 2016-08-07T10:44:54.348257 | 2011-12-21T22:50:06 | 2011-12-21T23:25:25 | 2,143,608 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 48,121 | java | /*
* OPBM - Office Productivity Benchmark
*
* This class is the top-level class for listbox items, which hold the primary
* data items where things are added. The listbox differs from the lookupbox
* in that items are intended to be added in the listbox, and not just used as
* reference.
*
* Typically a PanelRight edit screen will have a listbox, and possibly multiple
* lookupboxes based on data contained as child "options" items stored beneath
* the data entry in the XML file.
*
* Last Updated: Sep 12, 2011
*
* by Van Smith
* Cossatot Analytics Laboratories, LLC. (Cana Labs)
*
* (c) Copyright Cana Labs.
* Free software licensed under the GNU GPL2.
*
* @version 1.2.0
*
*/
package opbm.panels.right;
import java.awt.Color;
import java.awt.Dimension;
import java.awt.Font;
import java.awt.Insets;
import java.awt.Point;
import java.awt.event.KeyEvent;
import java.awt.event.KeyListener;
import java.awt.event.MouseEvent;
import java.awt.event.MouseListener;
import java.util.ArrayList;
import java.util.List;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.JButton;
import javax.swing.JScrollPane;
import javax.swing.event.ListSelectionEvent;
import javax.swing.event.ListSelectionListener;
import opbm.common.Commands;
import opbm.common.Macros;
import opbm.Opbm;
import opbm.common.Utils;
import opbm.common.Xml;
/**
* Handles all <code>_TYPE_LISTBOX</code> processing specifically related to
* the literal JList itself. Has a parent <code>PanelRightItem</code> which
* handles some related operations, though the relationship between member
* functions here and on the parent should be straight-forward, typically with
* identical names.
*/
public class PanelRightListbox
implements ListSelectionListener,
MouseListener,
KeyListener
{
/**
* Constructor initializes the class, stores parent items for the panel,
* <code>PanelRight</code> and <code>PanelRightItem</code>.
*
* @param opbm master class parent object
* @param parentPanel panel the controls will be added to (for add, delete,
* clone buttons)
* @param parentPR <code>PanelRight</code> parent object
* @param parentPRI <code>PanelRightItem</code> parent object
*/
public PanelRightListbox(Opbm opbm,
JPanel parentPanel,
PanelRight parentPR,
PanelRightItem parentPRI,
Commands commandMaster,
Macros macroMaster)
{
m_xmlListboxMaster = null;
m_visible = false;
m_opaque = true;
m_foreground = Color.BLACK;
m_background = Color.WHITE;
m_font = null;
m_lastIndex = -1;
m_width = 0;
m_height = 0;
m_x = 0;
m_y = 0;
m_opbm = opbm;
m_parentPanel = parentPanel;
m_parentPR = parentPR;
m_parentPRI = parentPRI;
m_commandMaster = commandMaster;
m_macroMaster = macroMaster;
m_lastMillisecond = 0;
m_listBox = null;
m_listBoxScroller = null;
m_listBoxXml = null;
m_listBoxName = "";
m_listBoxButtons = "";
m_listByP1 = "";
m_listByP2 = "";
m_listByP3 = "";
m_listByP4 = "";
m_listByP5 = "";
m_listByP6 = "";
m_listByP7 = "";
m_listByP8 = "";
m_listByP9 = "";
m_listByP10 = "";
m_dblClickCommand = "";
m_dblClickP1 = "";
m_dblClickP2 = "";
m_dblClickP3 = "";
m_dblClickP4 = "";
m_dblClickP5 = "";
m_dblClickP6 = "";
m_dblClickP7 = "";
m_dblClickP8 = "";
m_dblClickP9 = "";
m_dblClickP10 = "";
m_enterCommand = "";
m_enterP1 = "";
m_enterP2 = "";
m_enterP3 = "";
m_enterP4 = "";
m_enterP5 = "";
m_enterP6 = "";
m_enterP7 = "";
m_enterP8 = "";
m_enterP9 = "";
m_enterP10 = "";
m_onSelectCommand = "";
m_onSelectP1 = "";
m_onSelectP2 = "";
m_onSelectP3 = "";
m_onSelectP4 = "";
m_onSelectP5 = "";
m_onSelectP6 = "";
m_onSelectP7 = "";
m_onSelectP8 = "";
m_onSelectP9 = "";
m_onSelectP10 = "";
m_listBoxUpCommand = "";
m_listBoxUpCommandP1 = "";
m_listBoxUpCommandP2 = "";
m_listBoxUpCommandP3 = "";
m_listBoxUpCommandP4 = "";
m_listBoxUpCommandP5 = "";
m_listBoxUpCommandP6 = "";
m_listBoxUpCommandP7 = "";
m_listBoxUpCommandP8 = "";
m_listBoxUpCommandP9 = "";
m_listBoxUpCommandP10 = "";
m_listBoxDownCommand = "";
m_listBoxDownCommandP1 = "";
m_listBoxDownCommandP2 = "";
m_listBoxDownCommandP3 = "";
m_listBoxDownCommandP4 = "";
m_listBoxDownCommandP5 = "";
m_listBoxDownCommandP6 = "";
m_listBoxDownCommandP7 = "";
m_listBoxDownCommandP8 = "";
m_listBoxDownCommandP9 = "";
m_listBoxDownCommandP10 = "";
}
/**
* Setter sets the associated <code>_TYPE_LISTBOX</code> listing parameters
* Populated from PanelFactory, or dynamically as list filters change.
* The list is populated dynamically when called to update its list contents.
*
* @param p1 first list-by parameter
* @param p2 second list-by parameter
* @param p3 third list-by parameter
* @param p4 fourth list-by parameter
* @param p5 fifth list-by parameter
* @param p6 sixth list-by parameter
* @param p7 seventh list-by parameter
* @param p8 eighth list-by parameter
* @param p9 ninth list-by parameter
* @param p10 tenth list-by parameter
*/
public void setListBy(String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
m_listByP1 = p1;
m_listByP2 = p2;
m_listByP3 = p3;
m_listByP4 = p4;
m_listByP5 = p5;
m_listByP6 = p6;
m_listByP7 = p7;
m_listByP8 = p8;
m_listByP9 = p9;
m_listByP10 = p10;
}
/**
* Setter sets the associated <code>_TYPE_LISTBOX</code> listing parameters
* Populated from PanelFactory, or dynamically as list filters change.
* The list is populated dynamically when called to update its list contents.
*
* @param command command to execute
* @param p1 first list-by parameter
* @param p2 second list-by parameter
* @param p3 third list-by parameter
* @param p4 fourth list-by parameter
* @param p5 fifth list-by parameter
* @param p6 sixth list-by parameter
* @param p7 seventh list-by parameter
* @param p8 eighth list-by parameter
* @param p9 ninth list-by parameter
* @param p10 tenth list-by parameter
*/
public void setDblClick(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
m_dblClickCommand = command;
m_dblClickP1 = p1;
m_dblClickP2 = p2;
m_dblClickP3 = p3;
m_dblClickP4 = p4;
m_dblClickP5 = p5;
m_dblClickP6 = p6;
m_dblClickP7 = p7;
m_dblClickP8 = p8;
m_dblClickP9 = p9;
m_dblClickP10 = p10;
}
/**
* Setter sets the associated <code>_TYPE_LISTBOX</code> listing parameters
* Populated from PanelFactory, or dynamically as list filters change.
* The list is populated dynamically when called to update its list contents.
*
* @param command command to execute
* @param p1 first list-by parameter
* @param p2 second list-by parameter
* @param p3 third list-by parameter
* @param p4 fourth list-by parameter
* @param p5 fifth list-by parameter
* @param p6 sixth list-by parameter
* @param p7 seventh list-by parameter
* @param p8 eighth list-by parameter
* @param p9 ninth list-by parameter
* @param p10 tenth list-by parameter
*/
public void setEnter(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
m_enterCommand = command;
m_enterP1 = p1;
m_enterP2 = p2;
m_enterP3 = p3;
m_enterP4 = p4;
m_enterP5 = p5;
m_enterP6 = p6;
m_enterP7 = p7;
m_enterP8 = p8;
m_enterP9 = p9;
m_enterP10 = p10;
}
/**
* Setter sets the associated <code>_TYPE_LISTBOX</code> onSelect parameters
* Populated from PanelFactory, or dynamically as list filters change.
* The list is populated dynamically when called to update its list contents.
*
* @param command command to execute
* @param p1 first parameter
* @param p2 second parameter
* @param p3 third parameter
* @param p4 fourth parameter
* @param p5 fifth parameter
* @param p6 sixth parameter
* @param p7 seventh parameter
* @param p8 eighth parameter
* @param p9 ninth parameter
* @param p10 tenth parameter
*/
public void setOnSelect(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
m_onSelectCommand = command;
m_onSelectP1 = p1;
m_onSelectP2 = p2;
m_onSelectP3 = p3;
m_onSelectP4 = p4;
m_onSelectP5 = p5;
m_onSelectP6 = p6;
m_onSelectP7 = p7;
m_onSelectP8 = p8;
m_onSelectP9 = p9;
m_onSelectP10 = p10;
}
/**
* Specifies the add button is allowed on the <code>_TYPE_LISTBOX</code>
* control.
*
* @param command command to execute when the add button is clicked
* @param p1 first parameter
* @param p2 second parameter
* @param p3 third parameter
* @param p4 fourth parameter
* @param p5 fifth parameter
* @param p6 sixth parameter
* @param p7 seventh parameter
* @param p8 eighth parameter
* @param p9 ninth parameter
* @param p10 tenth parameter
*/
public void setAddButton(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
// The m_listBoxButtons string is used to identify which buttons are present, currently can be "+", "-" and "c" for "add, delete and clone"
if (!command.isEmpty()) {
m_listBoxButtons = m_listBoxButtons.toLowerCase().replace("+", " ");
m_listBoxButtons += "+";
m_listBoxAddCommand = command;
m_listBoxAddCommandP1 = p1;
m_listBoxAddCommandP2 = p2;
m_listBoxAddCommandP3 = p3;
m_listBoxAddCommandP4 = p4;
m_listBoxAddCommandP5 = p5;
m_listBoxAddCommandP6 = p6;
m_listBoxAddCommandP7 = p7;
m_listBoxAddCommandP8 = p8;
m_listBoxAddCommandP9 = p9;
m_listBoxAddCommandP10 = p10;
}
}
/**
* Specifies the delete button is allowed on the <code>_TYPE_LISTBOX</code>
* control.
*
* @param command command to execute when the delete button is clicked
* @param p1 first parameter
* @param p2 second parameter
* @param p3 third parameter
* @param p4 fourth parameter
* @param p5 fifth parameter
* @param p6 sixth parameter
* @param p7 seventh parameter
* @param p8 eighth parameter
* @param p9 ninth parameter
* @param p10 tenth parameter
*/
public void setDeleteButton(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
// The m_listBoxButtons string is used to identify which buttons are present, currently can be "+", "-" and "c" for "add, delete and clone"
if (!command.isEmpty()) {
m_listBoxButtons = m_listBoxButtons.toLowerCase().replace("-", " ");
m_listBoxButtons += "-";
m_listBoxDeleteCommand = command;
m_listBoxDeleteCommandP1 = p1;
m_listBoxDeleteCommandP2 = p2;
m_listBoxDeleteCommandP3 = p3;
m_listBoxDeleteCommandP4 = p4;
m_listBoxDeleteCommandP5 = p5;
m_listBoxDeleteCommandP6 = p6;
m_listBoxDeleteCommandP7 = p7;
m_listBoxDeleteCommandP8 = p8;
m_listBoxDeleteCommandP9 = p9;
m_listBoxDeleteCommandP10 = p10;
}
}
/**
* Specifies the clone button is allowed on the <code>_TYPE_LISTBOX</code>
* control.
*
* @param command command to execute when the clone button is clicked
* @param p1 first parameter
* @param p2 second parameter
* @param p3 third parameter
* @param p4 fourth parameter
* @param p5 fifth parameter
* @param p6 sixth parameter
* @param p7 seventh parameter
* @param p8 eighth parameter
* @param p9 ninth parameter
* @param p10 tenth parameter
*/
public void setCloneButton(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
// The m_listBoxButtons string is used to identify which buttons are present, currently can be "+", "-" and "c" for "add, delete and clone"
if (!command.isEmpty()) {
m_listBoxButtons = m_listBoxButtons.toLowerCase().replace("c", " ");
m_listBoxButtons += "c";
m_listBoxCloneCommand = command;
m_listBoxCloneCommandP1 = p1;
m_listBoxCloneCommandP2 = p2;
m_listBoxCloneCommandP3 = p3;
m_listBoxCloneCommandP4 = p4;
m_listBoxCloneCommandP5 = p5;
m_listBoxCloneCommandP6 = p6;
m_listBoxCloneCommandP7 = p7;
m_listBoxCloneCommandP8 = p8;
m_listBoxCloneCommandP9 = p9;
m_listBoxCloneCommandP10 = p10;
}
}
/**
* Specifies the up button is allowed on the <code>_TYPE_LISTBOX</code>
* control.
*
* @param command command to execute when the button is clicked
* @param p1 first parameter
* @param p2 second parameter
* @param p3 third parameter
* @param p4 fourth parameter
* @param p5 fifth parameter
* @param p6 sixth parameter
* @param p7 seventh parameter
* @param p8 eighth parameter
* @param p9 ninth parameter
* @param p10 tenth parameter
*/
public void setUpButton(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
// The m_listBoxButtons string is used to identify which buttons are present, currently can be "+", "-" and "z" for "add, subtract and zoom"
if (!command.isEmpty()) {
m_listBoxButtons = m_listBoxButtons.toLowerCase().replace("u", " ");
m_listBoxButtons += "u";
m_listBoxUpCommand = command;
m_listBoxUpCommandP1 = p1;
m_listBoxUpCommandP2 = p2;
m_listBoxUpCommandP3 = p3;
m_listBoxUpCommandP4 = p4;
m_listBoxUpCommandP5 = p5;
m_listBoxUpCommandP6 = p6;
m_listBoxUpCommandP7 = p7;
m_listBoxUpCommandP8 = p8;
m_listBoxUpCommandP9 = p9;
m_listBoxUpCommandP10 = p10;
}
}
/**
* Specifies the down button is allowed on the <code>_TYPE_LISTBOX</code>
* control.
*
* @param command command to execute when the button is clicked
* @param p1 first parameter
* @param p2 second parameter
* @param p3 third parameter
* @param p4 fourth parameter
* @param p5 fifth parameter
* @param p6 sixth parameter
* @param p7 seventh parameter
* @param p8 eighth parameter
* @param p9 ninth parameter
* @param p10 tenth parameter
*/
public void setDownButton(String command,
String p1,
String p2,
String p3,
String p4,
String p5,
String p6,
String p7,
String p8,
String p9,
String p10)
{
// The m_listBoxButtons string is used to identify which buttons are present, currently can be "+", "-" and "z" for "add, subtract and zoom"
if (!command.isEmpty()) {
m_listBoxButtons = m_listBoxButtons.toLowerCase().replace("d", " ");
m_listBoxButtons += "d";
m_listBoxDownCommand = command;
m_listBoxDownCommandP1 = p1;
m_listBoxDownCommandP2 = p2;
m_listBoxDownCommandP3 = p3;
m_listBoxDownCommandP4 = p4;
m_listBoxDownCommandP5 = p5;
m_listBoxDownCommandP6 = p6;
m_listBoxDownCommandP7 = p7;
m_listBoxDownCommandP8 = p8;
m_listBoxDownCommandP9 = p9;
m_listBoxDownCommandP10 = p10;
}
}
/**
* Specifies the xml filename to load for the <code>_TYPE_LISTBOX</code> control.
* @param fileName xml file to load for listbox
*/
public void setFileName(String fileName) {
m_listBoxFileName = fileName;
}
/**
* Save the changes
*/
public void saveListBoxData()
{
m_listBoxXml.saveNode(m_macroMaster.parseMacros("$scripts.xml$"));
}
/**
* Specifies where source data from which the <code>_TYPE_LISTBOX</code>
* control is populated.
*
* @param location absolute location within the xml file to reach the list of data items
*/
public void setLocation(String location) {
m_listBoxLocation = location;
}
/**
* Specifies which entries within location will be pulled (allows a filter
* within a larger data set, to only pull out those named tags) for the
* <code>_TYPE_LISTBOX</code> controls.
*
* @param forEach specifies relative tag within location for enumerated items
*/
public void setForEach(String forEach) {
m_listBoxForEach = forEach;
}
/**
* Positions the listbox on the specified entry (if found)
*
* @param source <code>Xml</code> from the non-zoom, which will relate
* back directly to the entry to display (if found)
*/
public void positionListboxTo(Xml source)
{
int i;
for (i = 0; i < m_xmlListboxMaster.size(); i++)
{
if (m_xmlListboxMaster.get(i) == source ||
m_xmlListboxMaster.get(i).getAttribute("name").equalsIgnoreCase(source.getAttribute("name")))
{
// Found our guy
select(i);
return;
}
}
// If we get here, it wasn't found
}
/**
* Updates the ListBox (typically during instantiation) to set the add,
* delete and clone buttons. Can be used dynamically to update the buttons
* as real-world conditions change.
*/
public void updateListBox()
{
boolean add, delete, clone, up, down;
int buttonWidth = 0;
int count = 0;
int width, left, top;
boolean destroyAdd = true;
boolean destroyDelete = true;
boolean destroyClone = true;
boolean destroyUp = true;
boolean destroyDown = true;
Dimension d;
Font f;
Insets inset;
if (m_opbm.isFontOverride())
f = new Font("Arial", Font.BOLD, 12);
else
f = new Font("Calibri", Font.BOLD, 14);
add = m_listBoxButtons.contains("+");
delete = m_listBoxButtons.contains("-");
clone = m_listBoxButtons.toLowerCase().contains("c");
up = m_listBoxButtons.toLowerCase().contains("u");
down = m_listBoxButtons.toLowerCase().contains("d");
if (add || delete || clone || up || down)
{
// We must add new buttons and readjust
if (add)
{
// The add button exists
destroyAdd = false;
if (m_listBoxAdd == null)
{
m_listBoxAdd = new JButton("+");
m_listBoxAdd.setFont(f);
inset = m_listBoxAdd.getInsets();
inset.left = 3;
inset.right = 3;
m_listBoxAdd.setMargin(inset);
m_listBoxAdd.addMouseListener(this);
m_parentPanel.add(m_listBoxAdd);
}
buttonWidth += 30;
++count;
}
if (delete)
{
// The delte button exists
destroyDelete = false;
if (m_listBoxDelete == null)
{
m_listBoxDelete = new JButton("-");
m_listBoxDelete.setFont(f);
inset = m_listBoxDelete.getInsets();
inset.left = 3;
inset.right = 3;
m_listBoxDelete.setMargin(inset);
m_listBoxDelete.addMouseListener(this);
m_parentPanel.add(m_listBoxDelete);
}
buttonWidth += 30;
++count;
}
if (clone)
{
// The clone button exists
destroyClone = false;
if (m_listBoxClone == null)
{
m_listBoxClone = new JButton("Clone");
m_listBoxClone.setFont(f);
inset = m_listBoxClone.getInsets();
inset.left = 3;
inset.right = 3;
m_listBoxClone.setMargin(inset);
m_listBoxClone.addMouseListener(this);
m_parentPanel.add(m_listBoxClone);
}
buttonWidth += 55;
++count;
}
if (up)
{
// The up button exists
destroyUp = false;
if (m_listBoxUp == null)
{
m_listBoxUp = new JButton("Up");
m_listBoxUp.setFont(f);
inset = m_listBoxUp.getInsets();
inset.left = 3;
inset.right = 3;
m_listBoxUp.setMargin(inset);
m_listBoxUp.addMouseListener(this);
m_parentPanel.add(m_listBoxUp);
}
buttonWidth += 40;
++count;
}
if (down)
{
// The up button exists
destroyDown = false;
if (m_listBoxDown == null)
{
m_listBoxDown = new JButton("Dn");
m_listBoxDown.setFont(f);
inset = m_listBoxDown.getInsets();
inset.left = 3;
inset.right = 3;
m_listBoxDown.setMargin(inset);
m_listBoxDown.addMouseListener(this);
m_parentPanel.add(m_listBoxDown);
}
buttonWidth += 40;
++count;
}
// Determine the relative center location of the defined buttons
width = m_width;
buttonWidth += ((count - 1) * 5);
left = m_x + ((width - buttonWidth) / 2);
top = m_y + m_height - 25;
if (add) {
d = new Dimension(30,25);
m_listBoxAdd.setLocation(left, top);
m_listBoxAdd.setMinimumSize(d);
m_listBoxAdd.setMaximumSize(d);
m_listBoxAdd.setPreferredSize(d);
m_listBoxAdd.setSize(d);
left += d.getWidth() + 5;
}
if (delete) {
d = new Dimension(30,25);
m_listBoxDelete.setLocation(left, top);
m_listBoxDelete.setMinimumSize(d);
m_listBoxDelete.setMaximumSize(d);
m_listBoxDelete.setPreferredSize(d);
m_listBoxDelete.setSize(d);
left += d.getWidth() + 5;
}
if (clone) {
d = new Dimension(55,25);
m_listBoxClone.setLocation(left, top);
m_listBoxClone.setMinimumSize(d);
m_listBoxClone.setMaximumSize(d);
m_listBoxClone.setPreferredSize(d);
m_listBoxClone.setSize(d);
left += d.getWidth() + 5;
}
if (up) {
d = new Dimension(40,25);
m_listBoxUp.setLocation(left, top);
m_listBoxUp.setMinimumSize(d);
m_listBoxUp.setMaximumSize(d);
m_listBoxUp.setPreferredSize(d);
m_listBoxUp.setSize(d);
left += d.getWidth() + 5;
}
if (down) {
d = new Dimension(40,25);
m_listBoxDown.setLocation(left, top);
m_listBoxDown.setMinimumSize(d);
m_listBoxDown.setMaximumSize(d);
m_listBoxDown.setPreferredSize(d);
m_listBoxDown.setSize(d);
left += d.getWidth() + 5;
}
// Adjust the listbox size
m_height -= 28;
}
// If the add button exists, remove it
if (m_listBoxAdd != null) {
if (destroyAdd) {
m_parentPanel.remove(m_listBoxAdd);
m_listBoxAdd = null;
} else {
m_listBoxAdd.setVisible(true);
}
}
// If the delete button exists, remove it
if (m_listBoxDelete != null) {
if (destroyDelete) {
m_parentPanel.remove(m_listBoxDelete);
m_listBoxDelete = null;
} else {
m_listBoxDelete.setVisible(true);
}
}
// If the clone button exists, remove it
if (m_listBoxClone != null) {
if (destroyClone) {
m_parentPanel.remove(m_listBoxClone);
m_listBoxClone = null;
} else {
m_listBoxClone.setVisible(true);
}
}
// If the up button exists, remove it
if (m_listBoxUp != null) {
if (destroyUp) {
m_parentPanel.remove(m_listBoxUp);
m_listBoxUp = null;
} else {
m_listBoxUp.setVisible(true);
}
}
// If the down button exists, remove it
if (m_listBoxDown != null) {
if (destroyDown) {
m_parentPanel.remove(m_listBoxDown);
m_listBoxDown = null;
} else {
m_listBoxDown.setVisible(true);
}
}
}
/**
* Updates the listbox's associated array after something has been added,
* deleted or cloned, and then repaints the control.
*/
public void updateListBoxArray()
{
int saveIndex;
if (m_listBox != null && m_xmlListboxMaster != null)
{
saveIndex = m_listBox.getSelectedIndex();
m_listBox.setListData(m_xmlListboxMaster.toArray());
if (saveIndex != -1 && saveIndex < m_xmlListboxMaster.size())
m_listBox.setSelectedIndex(saveIndex);
else
m_listBox.setSelectedIndex(m_xmlListboxMaster.size() - 1);
m_parentPR.updateRelativeToFields();
m_listBox.repaint();
}
}
/**
* Repaints the listbox control.
*/
public void repaintListBox() {
m_listBox.repaint();
}
/**
* Renders the physical listbox, which allows it to load the file contents,
* create the node list, and populate and format the control.
*/
public void fillOrRefillListBoxArray()
{
int saveIndex;
if (m_listBox != null)
saveIndex = m_listBox.getSelectedIndex();
else
saveIndex = -1;
// Grab the list of elements
if (m_listBoxFileName.isEmpty())
{
// We're editing data directly from the scripts xml file that's already been loaded
m_listBoxXml = m_opbm.getScriptsXml();
} else {
// We must load the specified file
m_listBoxXml = Opbm.loadXml(m_listBoxFileName, m_opbm);
if (m_listBoxXml == null)
{
m_listBoxXml = failedLoad();
m_listBoxSource = "root.error";
}
}
// Clear out any list that may already be there
m_xmlListboxMaster = new ArrayList<Xml>(0);
// Locate all the nodes within the xml node space
Xml.getNodeList(m_xmlListboxMaster, m_listBoxXml, m_listBoxSource, false);
if (m_listBox == null)
{
m_listBox = new JList();
m_listBoxScroller = new JScrollPane(m_listBox);
m_listBox.setSize(m_width, m_height);
m_listBox.setFont(m_font);
m_listBox.setLocation(m_x, m_y);
m_listBox.setForeground(m_foreground);
m_listBox.setBackground(m_background);
m_listBox.setOpaque(m_opaque);
PanelRightListboxRenderer prlr = new PanelRightListboxRenderer(m_listByP1, m_listByP2, m_listByP3, m_listByP4, m_listByP5, m_listByP6, m_listByP7, m_listByP8, m_listByP9, m_listByP10);
if (prlr != null)
m_listBox.setCellRenderer(prlr);
m_listBox.setVisible(true);
m_listBoxScroller.setSize(m_width, m_height);
m_listBoxScroller.setLocation(m_x, m_y);
m_listBoxScroller.setVisible(true);
m_listBoxScroller.addKeyListener(this);
m_listBox.addListSelectionListener(this);
m_listBox.addMouseListener(this);
m_listBox.addKeyListener(this);
m_parentPanel.add(m_listBoxScroller);
}
m_listBox.setListData(m_xmlListboxMaster.toArray());
if (m_xmlListboxMaster != null)
{
if (saveIndex != -1)
m_listBox.setSelectedIndex(saveIndex);
else
m_listBox.setSelectedIndex(0);
m_parentPR.updateRelativeToFields();
}
}
/**
* After the user resizes the main window, this function is called to
* resize the listbox and its associated buttons (if any).
*
* @param newWidth
* @param newHeight
*/
public void afterWindowResize(int newWidth, int newHeight)
{
int diff;
diff = newHeight - m_parentPR.getHeight();
if (m_listBox != null) {
m_listBox.setSize(m_listBox.getWidth(), m_listBox.getHeight() + diff);
m_listBoxScroller.setSize(m_listBoxScroller.getWidth(), m_listBoxScroller.getHeight() + diff);
if (m_listBoxAdd != null) {
m_listBoxAdd.setLocation(m_listBoxAdd.getX(), m_listBoxAdd.getY() + diff);
}
if (m_listBoxDelete != null) {
m_listBoxDelete.setLocation(m_listBoxDelete.getX(), m_listBoxDelete.getY() + diff);
}
if (m_listBoxClone != null) {
m_listBoxClone.setLocation(m_listBoxClone.getX(), m_listBoxClone.getY() + diff);
}
if (m_listBoxUp != null) {
m_listBoxUp.setLocation(m_listBoxUp.getX(), m_listBoxUp.getY() + diff);
}
if (m_listBoxDown != null) {
m_listBoxDown.setLocation(m_listBoxDown.getX(), m_listBoxDown.getY() + diff);
}
}
}
/**
* If the specified file doesn't exist, creates an "error placeholder"
* to let the user know it wasn't loaded properly.
*
* @return the newly created error <code>Xml</code>
*/
public Xml failedLoad() {
Xml root = new Xml("root", "");
root.setFirstChild(new Xml("error", "Unable to load xml file"));
return(root);
}
/** Called to physically remove the listbox, and any add, delete or clone
* buttons that are active.
*/
public void remove() {
if (m_listBox != null)
m_parentPanel.remove(m_listBox);
if (m_listBoxAdd != null)
m_parentPanel.remove(m_listBoxAdd);
if (m_listBoxClone != null)
m_parentPanel.remove(m_listBoxClone);
if (m_listBoxDelete != null)
m_parentPanel.remove(m_listBoxDelete);
}
/**
* Physically selects the specified index.
*
* @param index item to update
*/
public void select(int index)
{
if (m_parentPRI.getAutoUpdate())
{
if (m_listBox != null)
{
if (index >= 0 && m_listBox.getModel().getSize() > 0)
{
m_listBox.setSelectedIndex(index);
doOnSelect();
}
}
}
}
/**
* Specifies the relative path to the root node of the xml file to access
* the data element for the <code>_TYPE_LISTBOX</code> control.
*
* @param source dot source, as in <code>opbm.scriptdata.flows</code>
* @param relativeTo ignored
*/
public void setSource(String source,
String relativeTo)
{
m_listBoxSource = source;
}
/**
* Specifies the relative path to the root node of the xml file to access
* the template data element for the <code>_TYPE_LISTBOX</code> control.
*
* @param template dot source, as in <code>opbm.scriptdata.templates.flow</code>
* @param relativeTo ignored
*/
public void setTemplate(String template,
String relativeTo)
{
m_listBoxTemplate = template;
}
/**
* Assigns the name defined in edits.xml to the control
* @param name
*/
public void setName(String name)
{
m_listBoxName = name;
}
/**
* Searches through <code>PanelRight</code>'s items to see if the specified
* <code>_TYPE_LISTBOX</code> is identified by name, and if so, then returns
* its currently selected node.
* @return <code>Xml</code> for the selected item in the listbox
*/
public Xml getListboxFirstChildNode()
{
// See if there's an active Xml list and a selected item
if (m_xmlListboxMaster != null && m_xmlListboxMaster.size() > 0)
{
if (m_lastIndex >= 0 && m_lastIndex < m_xmlListboxMaster.size())
{
return(m_xmlListboxMaster.get(m_lastIndex).getFirstChild());
} else {
return(m_xmlListboxMaster.get(0).getFirstChild());
}
}
return(null);
}
/**
* Searches through <code>PanelRight</code>'s items to see if the specified
* <code>_TYPE_LISTBOX</code> is identified by name, and if so, then returns
* its currently selected node.
* @return <code>Xml</code> for the selected item in the listbox
*/
public Xml getListboxNode()
{
// See if there's an active Xml list and a selected item
if (m_xmlListboxMaster != null && m_lastIndex >= 0 && m_lastIndex < m_xmlListboxMaster.size()) {
return(m_xmlListboxMaster.get(m_lastIndex));
}
return(null);
}
/**
* Returns the source for this listbox, as in opbm.scriptdata.flows.flow
* @return source to access data in scripts.xml
*/
public String getListboxSource()
{
return(m_listBoxSource);
}
/**
* Returns the template source for this listbox, as in opbm.scriptdata.templates.flow
* @return source to access template pattern data in scripts.xml
*/
public String getListboxTemplate()
{
return(m_listBoxTemplate);
}
/**
* Sets the visible parameter.
*
* @param visible true or false should this control be displayed
*/
public void setVisible(boolean visible) {
m_visible = visible;
}
/**
* Specifies the size of the listbox
*
* @param width
* @param height
*/
public void setSize(int width, int height) {
m_width = width;
m_height = height;
}
/**
* Specifies the position of the listbox
*
* @param x
* @param y
*/
public void setLocation(int x, int y) {
m_x = x;
m_y = y;
}
/**
* Specifies the foreground color
*
* @param color
*/
public void setForeground(Color color) {
m_foreground = color;
}
/**
* Specifies the background color
*
* @param color
*/
public void setBackground(Color color) {
m_background = color;
}
/**
* Specifies whether or not the control is opaque
*
* @param opaque
*/
public void setOpaque(boolean opaque) {
m_opaque = opaque;
}
/**
* Specifies the font to use for the control
*
* @param font
*/
public void setFont(Font font) {
m_font = font;
}
/**
* Returns the control width
* @return width
*/
public int getWidth() {
return(m_width);
}
/**
* Returns the control height
* @return height
*/
public int getHeight() {
return(m_height);
}
/**
* Returns the control's x position
* @return x coordinate
*/
public int getX() {
return(m_x);
}
/**
* Returns the controls' y position
* @return y coordinate
*/
public int getY() {
return(m_y);
}
/**
* Returns the control's foreground color
* @return <code>Color</code>
*/
public Color getForeground() {
return(m_foreground);
}
/**
* Returns the control's background color
* @return <code>Color</code>
*/
public Color getBackground() {
return(m_background);
}
/**
* Returns the controls' font
* @return <code>Font</code>
*/
public Font getFont() {
return(m_font);
}
/**
* Returns the location
* @return <code>Point</code>
*/
public Point getLocation() {
Point p = new Point(m_x, m_y);
return(p);
}
/**
* Returns the size
* @return <code>Dimension</code>
*/
public Dimension getSize() {
Dimension d = new Dimension(m_width, m_height);
return(d);
}
/**
* Used when the listbox position changes
* @param e event information about the changing of position
*/
@Override
public void valueChanged(ListSelectionEvent e)
{
int selectedIndex = m_listBox.getSelectedIndex();
if (!m_isMovingUpOrDown)
{
m_parentPR.updateRelativeToFields();
if (m_lastIndex == -1)
{
// Send null so we don't save, as this is our first movement
m_parentPR.saveAndLoadListBox(null, m_xmlListboxMaster.get(m_listBox.getSelectedIndex()));
} else if (m_listBox.getSelectedIndex() != m_lastIndex)
{
if (m_lastIndex < m_xmlListboxMaster.size())
{
// Save previous position, and load new position if one is selected
m_parentPR.saveAndLoadListBox(m_xmlListboxMaster.get(m_lastIndex),
selectedIndex >= 0 ? m_xmlListboxMaster.get(selectedIndex) : null);
}
}
m_lastIndex = m_listBox.getSelectedIndex();
doOnSelect();
}
}
/**
* Execute the selected command when an option is selected
*/
public void doOnSelect()
{
if (!m_onSelectCommand.isEmpty()) {
m_commandMaster.processCommand(this, m_onSelectCommand, m_onSelectP1, m_onSelectP2, m_onSelectP3, m_onSelectP4, m_onSelectP5, m_onSelectP6, m_onSelectP7, m_onSelectP8, m_onSelectP9, m_onSelectP10);
}
}
public void listBoxAddCommand()
{
Xml xmlEntry;
try
{
m_parentPR.saveChanges(m_xmlListboxMaster.get(m_lastIndex));
// Do the add
xmlEntry = m_parentPR.listBoxAddClicked(m_xmlListboxMaster.get(m_lastIndex), m_listBoxForEach);
m_xmlListboxMaster.add(m_lastIndex, xmlEntry);
updateListBoxArray();
} catch (UnsupportedOperationException ex) {
} catch (ClassCastException ex) {
} catch (NullPointerException ex) {
} catch (IllegalArgumentException ex) {
} catch (IndexOutOfBoundsException ex) {
}
}
public void listBoxDeleteCommand()
{
try
{
m_parentPR.listBoxDelete(m_xmlListboxMaster.get(m_lastIndex));
m_xmlListboxMaster.remove(m_lastIndex);
updateListBoxArray();
} catch (UnsupportedOperationException ex) {
} catch (ClassCastException ex) {
} catch (NullPointerException ex) {
} catch (IllegalArgumentException ex) {
} catch (IndexOutOfBoundsException ex) {
}
}
public void listBoxCloneCommand()
{
Xml xmlEntry;
try
{
m_parentPR.saveChanges(m_xmlListboxMaster.get(m_lastIndex));
// Do the clone
xmlEntry = m_parentPR.listBoxCloneClicked(m_xmlListboxMaster.get(m_lastIndex), m_listBoxForEach);
m_xmlListboxMaster.add(m_lastIndex, xmlEntry);
updateListBoxArray();
} catch (UnsupportedOperationException ex) {
} catch (ClassCastException ex) {
} catch (NullPointerException ex) {
} catch (IllegalArgumentException ex) {
} catch (IndexOutOfBoundsException ex) {
}
}
/**
* Called when user clicks a button on a <code>_TYPE_LOOKUPBOX</code>
*/
public void listboxCommand(String command,
PanelRightListbox source)
{
Xml xml;
int saveIndex;
boolean didMove = false;
if (source == this)
{
m_isMovingUpOrDown = true;
xml = getListboxNode();
if (xml != null)
{
saveIndex = m_listBox.getSelectedIndex();
m_lastIndex = -1;
if (command.equalsIgnoreCase("up"))
{
didMove = xml.moveNodeUp();
if (didMove)
--saveIndex;
}
else if (command.equalsIgnoreCase("down"))
{
didMove = xml.moveNodeDown();
if (didMove)
++saveIndex;
}
m_listBox.setSelectedIndex(saveIndex);
m_lastIndex = saveIndex;
if (didMove)
fillOrRefillListBoxArray();
}
m_isMovingUpOrDown = false;
}
}
@Override
public void keyTyped(KeyEvent e) {
}
@Override
public void keyPressed(KeyEvent e) {
}
@Override
public void keyReleased(KeyEvent e)
{
if (e.getSource().equals(m_listBox) || e.getSource().equals(m_listBoxScroller))
{
if (e.getKeyCode() == KeyEvent.VK_ENTER)
{ // They pressed enter on this selection, execute its enter command
m_commandMaster.processCommand(m_parentPRI,
m_enterCommand,
m_enterP1,
m_enterP2,
m_enterP3,
m_enterP4,
m_enterP5,
m_enterP6,
m_enterP7,
m_enterP8,
m_enterP9,
m_enterP10);
}
}
}
/**
* Not used but required for override
*
* @param e mouse event
*/
@Override
public void mouseClicked(MouseEvent e) {
}
/**
* When the mouse button is pressed down on an add, delete or clone button.
*
* @param e mouse event
*/
@Override
public void mousePressed(MouseEvent e)
{
int nowItem;
long now;
try {
//////////
// LISTBOX
if (e.getSource().equals(m_listBox))
{
// We don't do anything when the user clicks down on here, except
// see how long it's been since the last down click. If it's less
// than .4 second, we execute the dblClick command
now = Utils.getMillisecondTimer();
nowItem = m_listBox.getSelectedIndex();
if (m_lastItem == nowItem && m_lastMillisecond != 0)
{
if (now - m_lastMillisecond <= 800)
{ // It's less than .4 second, so we issue the double click
m_commandMaster.processCommand(m_parentPRI,
m_dblClickCommand,
m_dblClickP1,
m_dblClickP2,
m_dblClickP3,
m_dblClickP4,
m_dblClickP5,
m_dblClickP6,
m_dblClickP7,
m_dblClickP8,
m_dblClickP9,
m_dblClickP10);
}
}
m_lastItem = nowItem;
m_lastMillisecond = now;
//////////
// ADD
} else if (e.getSource().equals(m_listBoxAdd)) {
// Before the add, we have to save any current changes
m_commandMaster.processCommand(this,
m_listBoxAddCommand,
m_listBoxAddCommandP1,
m_listBoxAddCommandP2,
m_listBoxAddCommandP3,
m_listBoxAddCommandP4,
m_listBoxAddCommandP5,
m_listBoxAddCommandP6,
m_listBoxAddCommandP7,
m_listBoxAddCommandP8,
m_listBoxAddCommandP9,
m_listBoxAddCommandP10);
//////////
// DELETE
} else if (e.getSource().equals(m_listBoxDelete)) {
// They clicked on the delete button on the specified entry
m_commandMaster.processCommand(this,
m_listBoxDeleteCommand,
m_listBoxDeleteCommandP1,
m_listBoxDeleteCommandP2,
m_listBoxDeleteCommandP3,
m_listBoxDeleteCommandP4,
m_listBoxDeleteCommandP5,
m_listBoxDeleteCommandP6,
m_listBoxDeleteCommandP7,
m_listBoxDeleteCommandP8,
m_listBoxDeleteCommandP9,
m_listBoxDeleteCommandP10);
//////////
// CLONE
} else if (e.getSource().equals(m_listBoxClone)) {
// Before the clone, we have to save any current changes
m_commandMaster.processCommand(this,
m_listBoxCloneCommand,
m_listBoxCloneCommandP1,
m_listBoxCloneCommandP2,
m_listBoxCloneCommandP3,
m_listBoxCloneCommandP4,
m_listBoxCloneCommandP5,
m_listBoxCloneCommandP6,
m_listBoxCloneCommandP7,
m_listBoxCloneCommandP8,
m_listBoxCloneCommandP9,
m_listBoxCloneCommandP10);
//////////
// UP
} else if (e.getSource().equals(m_listBoxUp)) {
// Before the clone, we have to save any current changes
m_commandMaster.processCommand(this,
m_listBoxUpCommand,
m_listBoxUpCommandP1,
m_listBoxUpCommandP2,
m_listBoxUpCommandP3,
m_listBoxUpCommandP4,
m_listBoxUpCommandP5,
m_listBoxUpCommandP6,
m_listBoxUpCommandP7,
m_listBoxUpCommandP8,
m_listBoxUpCommandP9,
m_listBoxUpCommandP10);
//////////
// DOWN
} else if (e.getSource().equals(m_listBoxDown)) {
// Before the clone, we have to save any current changes
m_commandMaster.processCommand(this,
m_listBoxDownCommand,
m_listBoxDownCommandP1,
m_listBoxDownCommandP2,
m_listBoxDownCommandP3,
m_listBoxDownCommandP4,
m_listBoxDownCommandP5,
m_listBoxDownCommandP6,
m_listBoxDownCommandP7,
m_listBoxDownCommandP8,
m_listBoxDownCommandP9,
m_listBoxDownCommandP10);
}
} catch (UnsupportedOperationException ex) {
} catch (ClassCastException ex) {
} catch (NullPointerException ex) {
} catch (IllegalArgumentException ex) {
} catch (IndexOutOfBoundsException ex) {
}
}
/**
* When the mouse is released on the add, clone or delete button, it sets
* focus back on the listbox control.
*
* @param e
*/
@Override
public void mouseReleased(MouseEvent e)
{
}
/**
* Not used but required for override
*
* @param e mouse event
*/
@Override
public void mouseEntered(MouseEvent e) {
}
/**
* Not used but required for override
*
* @param e mouse event
*/
@Override
public void mouseExited(MouseEvent e) {
}
private Opbm m_opbm;
private Xml m_listBoxXml;
private boolean m_visible;
private boolean m_opaque;
private Color m_foreground;
private Color m_background;
private Font m_font;
private JPanel m_parentPanel;
private PanelRight m_parentPR;
private PanelRightItem m_parentPRI;
private Commands m_commandMaster;
private Macros m_macroMaster;
private JList m_listBox;
private JScrollPane m_listBoxScroller;
private List<Xml> m_xmlListboxMaster;
private int m_lastIndex;
private int m_width;
private int m_height;
private int m_x;
private int m_y;
private boolean m_isMovingUpOrDown; // Is moving up or down overrides save operations
private long m_lastMillisecond; // The last millisecond when the mouse button was clicked down within the listbox (used to catch double-clicks)
private int m_lastItem; // The last item they clicked on in the listbox, used with lastMillisecond to determine if the double-click should be recognized
private String m_listBoxButtons; // Contains any combination of "+" "-" and "c" as in "+-c" or "+c-" or "c-+", etc.
private JButton m_listBoxAdd; // Add button for listboxes
private JButton m_listBoxDelete; // Delete button for listboxes
private JButton m_listBoxClone; // Clone button for listboxes
private JButton m_listBoxUp; // Up button for lookupboxes
private JButton m_listBoxDown; // Down button for lookupboxes
private String m_listBoxSource; // Location to access nodes within the xml file
private String m_listBoxTemplate; // Location to access template nodes within the xml file
private String m_listBoxName; // Name given to this control in editx.xml
private String m_listBoxFileName; // Source filename of this control's xml file (file being edited)
private String m_listBoxLocation; // The location within the specified fileName (XML file) where the data is found
private String m_listBoxForEach; // For each of these elements within the listBoxLocation specified, display / edit relative content
private String m_listByP1; // Parameter #1
private String m_listByP2; // Parameter #2
private String m_listByP3; // Parameter #3
private String m_listByP4; // Parameter #4
private String m_listByP5; // Parameter #5
private String m_listByP6; // Parameter #6
private String m_listByP7; // Parameter #7
private String m_listByP8; // Parameter #8
private String m_listByP9; // Parameter #9
private String m_listByP10; // Parameter #10
private String m_dblClickCommand;
private String m_dblClickP1;
private String m_dblClickP2;
private String m_dblClickP3;
private String m_dblClickP4;
private String m_dblClickP5;
private String m_dblClickP6;
private String m_dblClickP7;
private String m_dblClickP8;
private String m_dblClickP9;
private String m_dblClickP10;
private String m_enterCommand;
private String m_enterP1;
private String m_enterP2;
private String m_enterP3;
private String m_enterP4;
private String m_enterP5;
private String m_enterP6;
private String m_enterP7;
private String m_enterP8;
private String m_enterP9;
private String m_enterP10;
private String m_listBoxAddCommand;
private String m_listBoxAddCommandP1;
private String m_listBoxAddCommandP2;
private String m_listBoxAddCommandP3;
private String m_listBoxAddCommandP4;
private String m_listBoxAddCommandP5;
private String m_listBoxAddCommandP6;
private String m_listBoxAddCommandP7;
private String m_listBoxAddCommandP8;
private String m_listBoxAddCommandP9;
private String m_listBoxAddCommandP10;
private String m_listBoxDeleteCommand;
private String m_listBoxDeleteCommandP1;
private String m_listBoxDeleteCommandP2;
private String m_listBoxDeleteCommandP3;
private String m_listBoxDeleteCommandP4;
private String m_listBoxDeleteCommandP5;
private String m_listBoxDeleteCommandP6;
private String m_listBoxDeleteCommandP7;
private String m_listBoxDeleteCommandP8;
private String m_listBoxDeleteCommandP9;
private String m_listBoxDeleteCommandP10;
private String m_listBoxCloneCommand;
private String m_listBoxCloneCommandP1;
private String m_listBoxCloneCommandP2;
private String m_listBoxCloneCommandP3;
private String m_listBoxCloneCommandP4;
private String m_listBoxCloneCommandP5;
private String m_listBoxCloneCommandP6;
private String m_listBoxCloneCommandP7;
private String m_listBoxCloneCommandP8;
private String m_listBoxCloneCommandP9;
private String m_listBoxCloneCommandP10;
private String m_listBoxUpCommand;
private String m_listBoxUpCommandP1;
private String m_listBoxUpCommandP2;
private String m_listBoxUpCommandP3;
private String m_listBoxUpCommandP4;
private String m_listBoxUpCommandP5;
private String m_listBoxUpCommandP6;
private String m_listBoxUpCommandP7;
private String m_listBoxUpCommandP8;
private String m_listBoxUpCommandP9;
private String m_listBoxUpCommandP10;
private String m_listBoxDownCommand;
private String m_listBoxDownCommandP1;
private String m_listBoxDownCommandP2;
private String m_listBoxDownCommandP3;
private String m_listBoxDownCommandP4;
private String m_listBoxDownCommandP5;
private String m_listBoxDownCommandP6;
private String m_listBoxDownCommandP7;
private String m_listBoxDownCommandP8;
private String m_listBoxDownCommandP9;
private String m_listBoxDownCommandP10;
private String m_onSelectCommand;
private String m_onSelectP1;
private String m_onSelectP2;
private String m_onSelectP3;
private String m_onSelectP4;
private String m_onSelectP5;
private String m_onSelectP6;
private String m_onSelectP7;
private String m_onSelectP8;
private String m_onSelectP9;
private String m_onSelectP10;
}
| [
"rick@canalabs.com"
] | rick@canalabs.com |
052b234513d98e91d7ab4550635c242770bf533e | c2012f0eb68415f9f5e5d45d2b131b72b7515b9f | /cptr_demo/src/com/chanven/cptr/demo/fragment/Fragment1.java | 215a205abaac815e7114c498a28fc9588c25cd3f | [
"Apache-2.0"
] | permissive | lsprite/CommonPullToRefresh-master | 69b5024449256815807d3bdd1ffda0f87c0215c6 | 697640c8c341f3afc6704bcf8d602da7dbfed949 | refs/heads/master | 2020-03-21T04:24:11.696205 | 2019-10-08T06:41:06 | 2019-10-08T06:41:06 | 138,106,339 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,884 | java | package com.chanven.cptr.demo.fragment;
import android.content.Context;
import android.os.Bundle;
import android.os.Handler;
import android.support.v7.widget.LinearLayoutManager;
import android.support.v7.widget.RecyclerView;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.TextView;
import android.widget.Toast;
import com.chanven.cptr.demo.BaseFragment;
import com.chanven.cptr.demo.R;
import com.chanven.lib.cptr.PtrClassicFrameLayout;
import com.chanven.lib.cptr.PtrDefaultHandler;
import com.chanven.lib.cptr.PtrFrameLayout;
import com.chanven.lib.cptr.loadmore.OnLoadMoreListener;
import com.chanven.lib.cptr.recyclerview.RecyclerAdapterWithHF;
import java.util.ArrayList;
import java.util.List;
/**
* Created by Administrator on 2018/6/15.
*/
public class Fragment1 extends BaseFragment {
private View view;
//
PtrClassicFrameLayout ptrClassicFrameLayout;
RecyclerView mRecyclerView;
private List<String> mData = new ArrayList<String>();
private RecyclerAdapter adapter;
private RecyclerAdapterWithHF mAdapter;
Handler handler = new Handler();
int page = 0;
//
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
// TODO Auto-generated method stub
view = inflater.inflate(R.layout.fragment1, container, false);
initView();
init();
return view;
}
private void initView() {
// TODO Auto-generated method stub
ptrClassicFrameLayout = (PtrClassicFrameLayout) view.findViewById(R.id.test_recycler_view_frame);
mRecyclerView = (RecyclerView) view.findViewById(R.id.test_recycler_view);
}
private void init() {
adapter = new RecyclerAdapter(getActivity(), mData);
mAdapter = new RecyclerAdapterWithHF(adapter);
mRecyclerView.setLayoutManager(new LinearLayoutManager(getActivity()));
mRecyclerView.setAdapter(mAdapter);
ptrClassicFrameLayout.postDelayed(new Runnable() {
@Override
public void run() {
ptrClassicFrameLayout.autoRefresh(true);
}
}, 150);
ptrClassicFrameLayout.setPtrHandler(new PtrDefaultHandler() {
@Override
public void onRefreshBegin(PtrFrameLayout frame) {
handler.postDelayed(new Runnable() {
@Override
public void run() {
page = 0;
mData.clear();
for (int i = 0; i < 17; i++) {
mData.add(new String(" RecyclerView item -" + i));
}
mAdapter.notifyDataSetChanged();
ptrClassicFrameLayout.refreshComplete();
ptrClassicFrameLayout.setLoadMoreEnable(true);
}
}, 1500);
}
});
ptrClassicFrameLayout.setOnLoadMoreListener(new OnLoadMoreListener() {
@Override
public void loadMore() {
handler.postDelayed(new Runnable() {
@Override
public void run() {
mData.add(new String(" RecyclerView item - add " + page));
mAdapter.notifyDataSetChanged();
ptrClassicFrameLayout.loadMoreComplete(true);
page++;
Toast.makeText(getActivity(), "load more complete", Toast.LENGTH_SHORT).show();
}
}, 1000);
}
});
}
public class RecyclerAdapter extends RecyclerView.Adapter<RecyclerView.ViewHolder> {
private List<String> datas;
private LayoutInflater inflater;
public RecyclerAdapter(Context context, List<String> data) {
super();
inflater = LayoutInflater.from(context);
datas = data;
}
@Override
public int getItemCount() {
return datas.size();
}
@Override
public void onBindViewHolder(RecyclerView.ViewHolder viewHolder, int position) {
ChildViewHolder holder = (ChildViewHolder) viewHolder;
holder.itemTv.setText(datas.get(position));
}
@Override
public RecyclerView.ViewHolder onCreateViewHolder(ViewGroup viewHolder, int position) {
View view = inflater.inflate(R.layout.listitem_layout, null);
return new ChildViewHolder(view);
}
}
public class ChildViewHolder extends RecyclerView.ViewHolder {
public TextView itemTv;
public ChildViewHolder(View view) {
super(view);
itemTv = (TextView) view;
}
}
}
| [
"lsprite14@gmail.com"
] | lsprite14@gmail.com |
28a20821d7d0aebff483c7f2aea1d852921c563a | 180e78725121de49801e34de358c32cf7148b0a2 | /dataset/protocol1/jdbi/learning/410/EmptyResultSet.java | 890b80c0dceba8592662ddfbeb98a7f9d756c261 | [] | no_license | ASSERT-KTH/synthetic-checkstyle-error-dataset | 40e8d1e0a7ebe7f7711def96a390891a6922f7bd | 40c057e1669584bfc6fecf789b5b2854660222f3 | refs/heads/master | 2023-03-18T12:50:55.410343 | 2019-01-25T09:54:39 | 2019-01-25T09:54:39 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 24,642 | java | /*
* 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.jdbi.v3.core.result;
import java.io.InputStream;
import java.io.Reader;
import java.math.BigDecimal;
import java.net.URL;
import java.sql.Array;
import java.sql.Blob;
import java.sql.Clob;
import java.sql.Date;
import java.sql.NClob;
import java.sql.Ref;
import java.sql.ResultSet;
import java.sql.ResultSetMetaData;
import java.sql.RowId;
import java.sql.SQLWarning;
import java.sql.SQLXML;
import java.sql.Statement;
import java.sql.Time;
import java.sql.Timestamp;
import java.util.Calendar;
import java.util.Map;
class EmptyResultSet implements ResultSet {
@Override
public <T> T unwrap(Class<T> iface) {
return iface.cast(this);
}
@Override
public boolean isWrapperFor(Class<?> iface) {
return false;
}
@Override
public boolean next() {
return false;
}
@Override
public void close() {}
@Override
public boolean wasNull() {
return false;
}
@Override
public String getString(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public boolean getBoolean(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public byte getByte(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public short getShort(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public int getInt(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public long getLong(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public float getFloat(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public double getDouble(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public BigDecimal getBigDecimal(int columnIndex, int scale) {
throw new UnsupportedOperationException();
}
@Override
public byte[] getBytes(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Date getDate(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Time getTime(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Timestamp getTimestamp(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public InputStream getAsciiStream(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public InputStream getUnicodeStream(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public InputStream getBinaryStream(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public String getString(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public boolean getBoolean(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public byte getByte(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public short getShort(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public int getInt(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public long getLong(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public float getFloat(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public double getDouble(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public BigDecimal getBigDecimal(String columnLabel, int scale) {
throw new UnsupportedOperationException();
}
@Override
public byte[] getBytes(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Date getDate(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Time getTime(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Timestamp getTimestamp(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public InputStream getAsciiStream(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public InputStream getUnicodeStream(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public InputStream getBinaryStream(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public SQLWarning getWarnings() {
throw new UnsupportedOperationException();
}
@Override
public void clearWarnings() {
throw new UnsupportedOperationException();
}
@Override
public String getCursorName() {
throw new UnsupportedOperationException();
}
@Override
public ResultSetMetaData getMetaData() {
return EmptyResultSetMetaData.INSTANCE;
}
@Override
public Object getObject(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Object getObject(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public int findColumn(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Reader getCharacterStream(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Reader getCharacterStream(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public BigDecimal getBigDecimal(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public BigDecimal getBigDecimal(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public boolean isBeforeFirst() {
return true;
}
@Override
public boolean isAfterLast() {
return true;
}
@Override
public boolean isFirst() {
return false;
}
@Override
public boolean isLast() {
return false;
}
@Override
public void beforeFirst() {}
@Override
public void afterLast() {}
@Override
public boolean first() {
return false;
}
@Override
public boolean last() {
return false;
}
@Override
public int getRow() {
throw new UnsupportedOperationException();
}
@Override
public boolean absolute(int row) {
throw new UnsupportedOperationException();
}
@Override
public boolean relative(int rows) {
throw new UnsupportedOperationException();
}
@Override
public boolean previous() {
throw new UnsupportedOperationException();
}
@Override
public void setFetchDirection(int direction) {}
@Override
public int getFetchDirection() {
return FETCH_FORWARD;
}
@Override
public void setFetchSize(int rows) {}
@Override
public int getFetchSize() {
return 0;
}
@Override
public int getType() {
return TYPE_FORWARD_ONLY;
}
@Override
public int getConcurrency() {
return CONCUR_READ_ONLY;
}
@Override
public boolean rowUpdated() {
throw new UnsupportedOperationException();
}
@Override
public boolean rowInserted() {
throw new UnsupportedOperationException();
}
@Override
public boolean rowDeleted() {
throw new UnsupportedOperationException();
}
@Override
public void updateNull(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public void updateBoolean(int columnIndex, boolean x) {
throw new UnsupportedOperationException();
}
@Override
public void updateByte(int columnIndex, byte x) {
throw new UnsupportedOperationException();
}
@Override
public void updateShort(int columnIndex, short x) {
throw new UnsupportedOperationException();
}
@Override
public void updateInt(int columnIndex, int x) {
throw new UnsupportedOperationException();
}
@Override
public void updateLong(int columnIndex, long x) {
throw new UnsupportedOperationException();
}
@Override
public void updateFloat(int columnIndex, float x) {
throw new UnsupportedOperationException();
}
@Override
public void updateDouble(int columnIndex, double x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBigDecimal(int columnIndex, BigDecimal x) {
throw new UnsupportedOperationException();
}
@Override
public void updateString(int columnIndex, String x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBytes(int columnIndex, byte[] x) {
throw new UnsupportedOperationException();
}
@Override
public void updateDate(int columnIndex, Date x) {
throw new UnsupportedOperationException();
}
@Override
public void updateTime(int columnIndex, Time x) {
throw new UnsupportedOperationException();
}
@Override
public void updateTimestamp(int columnIndex, Timestamp x) {
throw new UnsupportedOperationException();
}
@Override
public void updateAsciiStream(int columnIndex, InputStream x, int length) {
throw new UnsupportedOperationException();
}
@Override
public void updateBinaryStream(int columnIndex, InputStream x, int length) {
throw new UnsupportedOperationException();
}
@Override
public void updateCharacterStream(int columnIndex, Reader x, int length) {
throw new UnsupportedOperationException();
}
@Override
public void updateObject(int columnIndex, Object x, int scaleOrLength) {
throw new UnsupportedOperationException();
}
@Override
public void updateObject(int columnIndex, Object x) {
throw new UnsupportedOperationException();
}
@Override
public void updateNull(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public void updateBoolean(String columnLabel, boolean x) {
throw new UnsupportedOperationException();
}
@Override
public void updateByte(String columnLabel, byte x) {
throw new UnsupportedOperationException();
}
@Override
public void updateShort(String columnLabel, short x) {
throw new UnsupportedOperationException();
}
@Override
public void updateInt(String columnLabel, int x) {
throw new UnsupportedOperationException();
}
@Override
public void updateLong(String columnLabel, long x) {
throw new UnsupportedOperationException();
}
@Override
public void updateFloat(String columnLabel, float x) {
throw new UnsupportedOperationException();
}
@Override
public void updateDouble(String columnLabel, double x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBigDecimal(String columnLabel, BigDecimal x) {
throw new UnsupportedOperationException();
}
@Override
public void updateString(String columnLabel, String x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBytes(String columnLabel, byte[] x) {
throw new UnsupportedOperationException();
}
@Override
public void updateDate(String columnLabel, Date x) {
throw new UnsupportedOperationException();
}
@Override
public void updateTime(String columnLabel, Time x) {
throw new UnsupportedOperationException();
}
@Override
public void updateTimestamp(String columnLabel, Timestamp x) {
throw new UnsupportedOperationException();
}
@Override
public void updateAsciiStream(String columnLabel, InputStream x, int length) {
throw new UnsupportedOperationException();
}
@Override
public void updateBinaryStream(String columnLabel, InputStream x, int length) {
throw new UnsupportedOperationException();
}
@Override
public void updateCharacterStream(String columnLabel, Reader reader, int length) {
throw new UnsupportedOperationException();
}
@Override
public void updateObject(String columnLabel, Object x, int scaleOrLength) {
throw new UnsupportedOperationException();
}
@Override
public void updateObject(String columnLabel, Object x) {
throw new UnsupportedOperationException();
}
@Override
public void insertRow() {
throw new UnsupportedOperationException();
}
@Override
public void updateRow() {
throw new UnsupportedOperationException();
}
@Override
public void deleteRow() {
throw new UnsupportedOperationException();
}
@Override
public void refreshRow() {
throw new UnsupportedOperationException();
}
@Override
public void cancelRowUpdates() {
throw new UnsupportedOperationException();
}
@Override
public void moveToInsertRow() {
throw new UnsupportedOperationException();
}
@Override
public void moveToCurrentRow() {
throw new UnsupportedOperationException();
}
@Override
public Statement getStatement() {
throw new UnsupportedOperationException();
}
@Override
public Object getObject(int columnIndex, Map<String, Class<?>> map) {
throw new UnsupportedOperationException();
}
@Override
public Ref getRef(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Blob getBlob(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Clob getClob(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Array getArray(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Object getObject(String columnLabel, Map<String, Class<?>> map) {
throw new UnsupportedOperationException();
}
@Override
public Ref getRef(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Blob getBlob(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Clob getClob(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Array getArray(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Date getDate(int columnIndex, Calendar cal) {
throw new UnsupportedOperationException();
}
@Override
public Date getDate(String columnLabel, Calendar cal) {
throw new UnsupportedOperationException();
}
@Override
public Time getTime(int columnIndex, Calendar cal) {
throw new UnsupportedOperationException();
}
@Override
public Time getTime(String columnLabel, Calendar cal) {
throw new UnsupportedOperationException();
}
@Override
public Timestamp getTimestamp(int columnIndex, Calendar cal) {
throw new UnsupportedOperationException();
}
@Override
public Timestamp getTimestamp(String columnLabel, Calendar cal) {
throw new UnsupportedOperationException();
}
@Override
public URL getURL(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public URL getURL(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public void updateRef(int columnIndex, Ref x) {
throw new UnsupportedOperationException();
}
@Override
public void updateRef(String columnLabel, Ref x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBlob(int columnIndex, Blob x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBlob(String columnLabel, Blob x) {
throw new UnsupportedOperationException();
}
@Override
public void updateClob(int columnIndex, Clob x) {
throw new UnsupportedOperationException();
}
@Override
public void updateClob(String columnLabel, Clob x) {
throw new UnsupportedOperationException();
}
@Override
public void updateArray(int columnIndex, Array x) {
throw new UnsupportedOperationException();
}
@Override
public void updateArray(String columnLabel, Array x) {
throw new UnsupportedOperationException();
}
@Override
public RowId getRowId(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public RowId getRowId(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public
void updateRowId(int columnIndex, RowId x) {
throw new UnsupportedOperationException();
}
@Override
public void updateRowId(String columnLabel, RowId x) {
throw new UnsupportedOperationException();
}
@Override
public int getHoldability() {
throw new UnsupportedOperationException();
}
@Override
public boolean isClosed() {
throw new UnsupportedOperationException();
}
@Override
public void updateNString(int columnIndex, String nString) {
throw new UnsupportedOperationException();
}
@Override
public void updateNString(String columnLabel, String nString) {
throw new UnsupportedOperationException();
}
@Override
public void updateNClob(int columnIndex, NClob nClob) {
throw new UnsupportedOperationException();
}
@Override
public void updateNClob(String columnLabel, NClob nClob) {
throw new UnsupportedOperationException();
}
@Override
public NClob getNClob(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public NClob getNClob(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public SQLXML getSQLXML(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public SQLXML getSQLXML(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public void updateSQLXML(int columnIndex, SQLXML xmlObject) {
throw new UnsupportedOperationException();
}
@Override
public void updateSQLXML(String columnLabel, SQLXML xmlObject) {
throw new UnsupportedOperationException();
}
@Override
public String getNString(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public String getNString(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public Reader getNCharacterStream(int columnIndex) {
throw new UnsupportedOperationException();
}
@Override
public Reader getNCharacterStream(String columnLabel) {
throw new UnsupportedOperationException();
}
@Override
public void updateNCharacterStream(int columnIndex, Reader x, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateNCharacterStream(String columnLabel, Reader reader, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateAsciiStream(int columnIndex, InputStream x, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateBinaryStream(int columnIndex, InputStream x, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateCharacterStream(int columnIndex, Reader x, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateAsciiStream(String columnLabel, InputStream x, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateBinaryStream(String columnLabel, InputStream x, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateCharacterStream(String columnLabel, Reader reader, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateBlob(int columnIndex, InputStream inputStream, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateBlob(String columnLabel, InputStream inputStream, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateClob(int columnIndex, Reader reader, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateClob(String columnLabel, Reader reader, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateNClob(int columnIndex, Reader reader, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateNClob(String columnLabel, Reader reader, long length) {
throw new UnsupportedOperationException();
}
@Override
public void updateNCharacterStream(int columnIndex, Reader x) {
throw new UnsupportedOperationException();
}
@Override
public void updateNCharacterStream(String columnLabel, Reader reader) {
throw new UnsupportedOperationException();
}
@Override
public void updateAsciiStream(int columnIndex, InputStream x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBinaryStream(int columnIndex, InputStream x) {
throw new UnsupportedOperationException();
}
@Override
public void updateCharacterStream(int columnIndex, Reader x) {
throw new UnsupportedOperationException();
}
@Override
public void updateAsciiStream(String columnLabel, InputStream x) {
throw new UnsupportedOperationException();
}
@Override
public void updateBinaryStream(String columnLabel, InputStream x) {
throw new UnsupportedOperationException();
}
@Override
public void updateCharacterStream(String columnLabel, Reader reader) {
throw new UnsupportedOperationException();
}
@Override
public void updateBlob(int columnIndex, InputStream inputStream) {
throw new UnsupportedOperationException();
}
@Override
public void updateBlob(String columnLabel, InputStream inputStream) {
throw new UnsupportedOperationException();
}
@Override
public void updateClob(int columnIndex, Reader reader) {
throw new UnsupportedOperationException();
}
@Override
public void updateClob(String columnLabel, Reader reader) {
throw new UnsupportedOperationException();
}
@Override
public void updateNClob(int columnIndex, Reader reader) {
throw new UnsupportedOperationException();
}
@Override
public void updateNClob(String columnLabel, Reader reader) {
throw new UnsupportedOperationException();
}
@Override
public <T> T getObject(int columnIndex, Class<T> type) {
throw new UnsupportedOperationException();
}
@Override
public <T> T getObject(String columnLabel, Class<T> type) {
throw new UnsupportedOperationException();
}
}
| [
"bloriot97@gmail.com"
] | bloriot97@gmail.com |
aa8b6274dbe52147c912baf7bc96eedd85826518 | d9c0805fdae248ac9bc0391c754c34898ae18caa | /src/main/java/com/codebamz/startcms/StartCMS/mapper/ContenidoMapper.java | 7096aa0cfaf4bf3541f0bc73a131969ceefa3d79 | [] | no_license | Billy-Bamz/SpringCMS | 6d435c58c6f6b767fc34073dfa5b43a5edcdc9a6 | d61412c39d120f2705bd2c788bdc9b5d55119706 | refs/heads/master | 2020-08-06T10:06:50.418886 | 2019-10-10T04:01:31 | 2019-10-10T04:01:31 | 212,937,356 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 711 | java | package com.codebamz.startcms.StartCMS.mapper;
import com.codebamz.startcms.StartCMS.model.Contenido;
import org.springframework.jdbc.core.RowMapper;
import java.sql.ResultSet;
import java.sql.SQLException;
public class ContenidoMapper implements RowMapper<Contenido> {
@Override
public Contenido mapRow(ResultSet rs, int rowNum) throws SQLException {
Contenido contenido = new Contenido();
contenido.setContenido(rs.getString("Contenido"));
contenido.setIdContenido(rs.getInt("IdContenido"));
contenido.setIdPost(rs.getInt("IdPost"));
contenido.setTipo(rs.getString("Tipo"));
contenido.setFecha(rs.getDate("Fecha"));
return contenido;
}
}
| [
"billymallqui2000@gmail.com"
] | billymallqui2000@gmail.com |
74872fb064685b0220acff2814e03c674f00b68e | 4eb0e8fb3bf19f15043652175c623c7a4e58f629 | /model/src/main/java/com/balfish/hotel/vo/HotelVo.java | 7560cbaabc8711447ce3c818b5efd194d224e9f4 | [] | no_license | balfish/springmvc | 47335a85ac4e44c99891b0c9dcb5cf9c1d15f197 | 0d8934c9dbb61420bdf1ae6881b9446c73fbd3ba | refs/heads/master | 2021-01-01T16:47:34.226020 | 2019-05-04T07:10:03 | 2019-05-04T07:10:03 | 97,921,920 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 1,195 | java | package com.balfish.hotel.vo;
import org.apache.commons.lang3.builder.ToStringBuilder;
/**
* Created by yhm on 2017/7/12 PM2:17
*/
public class HotelVo {
private Integer id;
private Integer hotelId;
private String hotelName;
private String hotelAddress;
private String hotelPhone;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public Integer getHotelId() {
return hotelId;
}
public void setHotelId(Integer hotelId) {
this.hotelId = hotelId;
}
public String getHotelName() {
return hotelName;
}
public void setHotelName(String hotelName) {
this.hotelName = hotelName;
}
public String getHotelAddress() {
return hotelAddress;
}
public void setHotelAddress(String hotelAddress) {
this.hotelAddress = hotelAddress;
}
public String getHotelPhone() {
return hotelPhone;
}
public void setHotelPhone(String hotelPhone) {
this.hotelPhone = hotelPhone;
}
@Override
public String toString() {
return ToStringBuilder.reflectionToString(this);
}
}
| [
"yanghaomiao@meituan.com"
] | yanghaomiao@meituan.com |
90daebf500a6beee61a679cc88c6cc4a709cef9b | fc999da31c8df06a1b47c18954887deaf9b7ae5d | /plugins/velocity/velocity-republicraft/src/main/java/fr/republicraft/velocity/managers/ProxyManager.java | 372ef73976698ad34490decd84c32662d2a71863 | [] | no_license | rpenco/republicraft | e0c54d3096ad2f43d6b3418011fa6271c18232e3 | 5df4cb7d50ceaef6616826b97a48c80b4ffa4d19 | refs/heads/main | 2023-03-28T03:30:24.640316 | 2021-03-22T19:21:45 | 2021-03-22T19:21:45 | 350,462,668 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 775 | java | package fr.republicraft.velocity.managers;
import fr.republicraft.common.api.managers.Manager;
import fr.republicraft.velocity.RepublicraftPlugin;
import fr.republicraft.velocity.listeners.ProxyListener;
import lombok.Getter;
public class ProxyManager extends Manager {
@Getter
private final RepublicraftPlugin plugin;
private ProxyListener listener;
public ProxyManager(RepublicraftPlugin plugin) {
this.plugin = plugin;
}
@Override
public void start() {
listener = new ProxyListener(getPlugin());
getPlugin().getProxy().getEventManager().register(getPlugin(), listener);
}
@Override
public void stop() {
getPlugin().getProxy().getEventManager().unregisterListener(getPlugin(), listener);
}
}
| [
"rpenco@users.noreply.github.com"
] | rpenco@users.noreply.github.com |
f8669c4208db409de08be8d2d597fcd885957c79 | ff7e107a5068b07436342353dbf912d587c3840b | /flow-master0925---处理/flow-master0925/flow/flow-server/src/main/java/com/zres/project/localnet/portal/flowdealinfo/data/dao/CheckFeedbackDao.java | 5e1a8cc006ab65dc51f53ebe6438a27919eaeee4 | [] | no_license | lichao20000/resflow-master | 0f0668c7a6cb03cafaca153b9e9b882b2891b212 | 78217aa31f17dd5c53189e695a3a0194fced0d0a | refs/heads/master | 2023-01-27T19:15:40.752341 | 2020-12-10T02:07:32 | 2020-12-10T02:07:32 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,745 | java | package com.zres.project.localnet.portal.flowdealinfo.data.dao;
import org.apache.ibatis.annotations.Param;
import java.util.List;
import java.util.Map;
/**
* Created by tang.huili on 2019/3/5.
*/
public interface CheckFeedbackDao {
public Map<String,Object> queryInfoByWoId(String woId);
public Map<String,Object> queryCheckFeedBackInfoByWoId(String woId);
public List<Map<String,Object>> queryCheckFeedBackInfoByWoIdList(@Param("woIdList") List<String> woIdList);
void deleteInfoByWoId(String woId);
void insertCheckInfo(Map<String, Object> params);
Map<String,Object> queryInfoByTacheId(@Param("srvOrdId") String srvOrdId, @Param("tacheId") String tacheId);
Map<String,Object> queryInfoByTacheIdTwo(@Param("srvOrdId") String srvOrdId, @Param("tacheId") String tacheId);
void updateStateBytacheId(@Param("srvOrdId") String srvordId, @Param("tacheId") String tacheId);
Map<String,Object> queryInfoBySrvOrdId(String srvOrdId);
Map<String,Object> querySchmeBySrvOrdId(String srvOrdId);
Map<String,Object> queryAccessRoom(String srvOrdId);
List<Map<String,Object>> qryCheckInfoHis(String srvOrdId);
int queryNum(String srvOrdId);
String qryAreaName(String areaId);
void insertCheckInfoA(Map<String, Object> checkInfoMap);
void insertCheckInfoZ(Map<String, Object> checkInfoMap);
/**
* 查询工建系统反馈的费用信息
* @param srvOrdId
* @return
*/
Map<String,Object> qryEnginInfo(String srvOrdId);
void deleteInfoBySrvOrdId(String srvOrdId);
Map<String,Object> qryLastNodeInfo(String orderId);
List<Map<String,Object>> qryFinishNodeList(String orderId);
Map<String,Object> qryLastTotalNode(String orderId);
}
| [
"2832383563@qq.com"
] | 2832383563@qq.com |
748f762512ff6ae34a1e74fe22dcf3d413589709 | 54a91bbb9bdcf093356d0d1f68c7052f523952dc | /mall-common/src/main/java/com/karson/common/constant/WareConstant.java | 18674bdd676633d4c9c18949e7490661ea787320 | [
"Apache-2.0"
] | permissive | KarsonZhangWHUT/KarsonMall | fba80b8e0dc54ed07dbd4dfc1efc82186f91a508 | 0d48ee95dbb870ccfd2dae2224d5dedf017e856f | refs/heads/main | 2023-02-13T14:08:08.197246 | 2021-01-13T06:39:22 | 2021-01-13T06:39:22 | 310,577,838 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,111 | java | package com.karson.common.constant;
/**
* @author Karson
*/
public class WareConstant {
public enum PurchaseStatusEnum {
CREATED(0, "新建"), ASSIGNED(1, "已分配"),
RECEIVED(2, "已领取"), FINISHED(3, "已完成"),
HASERROR(4, "有异常");
private int code;
private String msg;
PurchaseStatusEnum(int code, String msg) {
this.code = code;
this.msg = msg;
}
public int getCode() {
return code;
}
public String getMsg() {
return msg;
}
}
public enum PurchaseDetailStatusEnum {
CREATED(0, "新建"), ASSIGNED(1, "已分配"),
BUYING(2, "正在采购"), FINISHED(3, "已完成"),
FAIL(4, "采购失败");
private int code;
private String msg;
PurchaseDetailStatusEnum(int code, String msg) {
this.code = code;
this.msg = msg;
}
public int getCode() {
return code;
}
public String getMsg() {
return msg;
}
}
}
| [
"308780714@qq.com"
] | 308780714@qq.com |
f48652e9c5d0a90b97fda75b161e4389c16c440c | 04f725b40d58a4b6a0ed396a01f01b6181f458a4 | /pax-auth/src/main/java/com/pax/auth/web/AuthorityController.java | d69097478fc4634c2fc5ae91891aba163ae65327 | [] | no_license | youyang87111/code | 69c652e9fa0ce0571b6e342f40a1abb9fcf5aa76 | 78e9d0a13f17444cff0ae2681a0d84c9e5732aa4 | refs/heads/master | 2021-01-23T23:53:09.708771 | 2018-02-26T10:31:11 | 2018-02-26T10:31:11 | 122,742,931 | 1 | 1 | null | null | null | null | UTF-8 | Java | false | false | 5,673 | java | package com.pax.auth.web;
import java.util.List;
import java.util.Map;
import javax.annotation.Resource;
import org.apache.shiro.authz.annotation.RequiresAuthentication;
import org.apache.shiro.authz.annotation.RequiresPermissions;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.stereotype.Controller;
import org.springframework.validation.BindingResult;
import org.springframework.validation.annotation.Validated;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.ResponseBody;
import com.github.pagehelper.PageInfo;
import com.pax.auth.entity.Authority;
import com.pax.auth.entity.Function;
import com.pax.auth.entity.Menu;
import com.pax.auth.inputparam.AuthorityAddInput;
import com.pax.auth.inputparam.AuthorityUpdateInput;
import com.pax.auth.service.AuthJsonService;
import com.pax.auth.service.AuthorityService;
import com.pax.auth.service.FunctionService;
import com.pax.auth.service.MenuService;
import com.pax.common.util.BindingResultHandler;
import com.pax.common.util.MapUtils;
import com.pax.common.web.BaseAjaxController;
import net.sf.json.JSONArray;
import net.sf.json.JSONObject;
@Controller
@RequestMapping("/authority")
public class AuthorityController extends BaseAjaxController {
@Resource
private AuthorityService authorityService;
@Resource
private MenuService menuService;
@Resource
private FunctionService functionService;
@Resource
private AuthJsonService authJsonService;
@RequiresPermissions("auth:enter")
@RequestMapping(value = "/enter", method = RequestMethod.GET)
public String enter() {
return "auth/authority";
}
@RequiresPermissions("auth:save")
@RequestMapping(value = "/save")
@ResponseBody
public ResponseEntity save(@Validated AuthorityAddInput input, BindingResult br) {
if (br.hasErrors()) {
JSONObject errorJson = BindingResultHandler.handleBindingResult(br);
return new ResponseEntity(makeFailJson(errorJson), HttpStatus.OK);
}
Map<String, Object> filterMap = MapUtils.beanToMap(input);
authorityService.save(filterMap);
return new ResponseEntity(makeSuccessJson("操作成功"), HttpStatus.OK);
}
@RequiresPermissions("auth:list")
@RequestMapping(value = "/list")
@ResponseBody
public ResponseEntity list() {
initializePagingSortingFiltering();
PageInfo<Authority> page = authorityService.list(pageQueryParam);
JSONArray jsonArray = authJsonService.getJSONArrayForAuth(page.getList());
JSONObject result = makeDataTableArrayJson(sEcho, page.getTotal(), jsonArray);
return new ResponseEntity(result, HttpStatus.OK);
}
@RequiresPermissions("auth:detail")
@RequestMapping(value = "/detail")
@ResponseBody
public ResponseEntity detail(String id) {
Authority authority = authorityService.get(id);
JSONObject result = authJsonService.getJson(authority);
return new ResponseEntity(makeSuccessJson("操作成功", result), HttpStatus.OK);
}
@RequiresPermissions("auth:update")
@RequestMapping(value = "/update")
@ResponseBody
public ResponseEntity update(@Validated AuthorityUpdateInput input, BindingResult br) {
if (br.hasErrors()) {
JSONObject errorJson = BindingResultHandler.handleBindingResult(br);
return new ResponseEntity(makeFailJson(errorJson), HttpStatus.OK);
}
Map<String, Object> filterMap = MapUtils.beanToMap(input);
authorityService.update(filterMap);
return new ResponseEntity(makeSuccessJson("操作成功"), HttpStatus.OK);
}
@RequiresPermissions("auth:delete")
@RequestMapping(value = "/delete")
@ResponseBody
public ResponseEntity delete(String[] ids) {
authorityService.delete(ids);
return new ResponseEntity(makeSuccessJson("操作成功"), HttpStatus.OK);
}
/**
* 得到某个权限可以选择的功能,1、通过权限所属站点来过滤;
* @return 可选功能是在包含在menu的funcs中
*
* 请求参数中包括 id:权限id
*
*/
@RequiresAuthentication
@RequestMapping(value = "/getFuncsToUseByAuth")
@ResponseBody
public ResponseEntity getFuncsToUseByAuth() {
initializeFiltering();
List<Menu> list = authorityService.getFuncsToUseByAuth(filterMap);
JSONArray jsonArray = authJsonService.getJSONArrayForMenu(list);
JSONObject result = makeSuccessJson("操作成功", jsonArray);
return new ResponseEntity(result, HttpStatus.OK);
}
/**
* 得到某个权限已经选择的功能
* @param id 权限id
* @return
*/
@RequiresAuthentication
@RequestMapping(value = "/getFuncsByAuth")
@ResponseBody
public ResponseEntity getFuncsByAuth(String id) {
List<Function> list = authorityService.getFuncsByAuth(id);
JSONArray jsonArray = authJsonService.getJSONArrayForFunc(list);
JSONObject result = makeSuccessJson("操作成功", jsonArray);
return new ResponseEntity(result, HttpStatus.OK);
}
/**
* 为权限分配功能 参数 id:权限id,funcs:功能
* @return
*/
@RequiresAuthentication
@RequiresPermissions("auth:grantFuncs")
@RequestMapping(value = "/grantFuncs")
@ResponseBody
public ResponseEntity grantFuncs() {
initializeFiltering();
authorityService.grantFuncs(filterMap);
JSONObject result = makeSuccessJson("操作成功");
return new ResponseEntity(result, HttpStatus.OK);
}
}
| [
"youyang_java@139.com"
] | youyang_java@139.com |
51fb040fbfe43128953752028a4e459a75bcd797 | e7b9edb88e2eb797d59dd17b64a67334a0752335 | /netty-practice/src/main/java/com/guce/test/InterfaceTest.java | b4f19e2d17853175eac2020fb36b65d85bb647d5 | [] | no_license | werwolfGu/guce-util | acab45e864912ebed03a357cf5a970909525ecd5 | f4dece2ab050bd3049932ea1e32647be50e8ebbc | refs/heads/master | 2021-01-20T19:50:07.613248 | 2016-12-05T14:04:01 | 2016-12-05T14:04:01 | 63,792,484 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 174 | java | package com.guce.test;
/**
* Created by Administrator on 2016/5/18.
*/
public interface InterfaceTest {
public String str = new String();
public void testa();
}
| [
"479743626@qq.com"
] | 479743626@qq.com |
e55d8b516c5c0b39dce21873981b7ed0730c1f50 | 51997bd236e708eb4db550cee13fcb552c305b3a | /Week1/src/oop/StopWatch.java | a93fa3a5f1d05104b9b8908800313cbadb0a5e40 | [] | no_license | DangTuanNghia/module2_java | b11f9656d52073f8cf5e268bbd9ad385177f8fa1 | d0dea9d6acd68a0e93523fd08b0e9fcae5fb67ea | refs/heads/master | 2022-11-10T19:13:01.411998 | 2020-07-01T01:35:11 | 2020-07-01T01:35:11 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,637 | java | package oop;
import SystemTime.SystemTime;
import java.lang.reflect.Array;
import java.util.Arrays;
import java.util.Date;
import java.util.Scanner;
public class StopWatch {
long startTime, stopTime;
private StopWatch(long startTime, long stopTime) {
this.startTime = startTime;
this.stopTime = stopTime;
}
public StopWatch() {
}
public long getStar() {
this.startTime = System.currentTimeMillis();
return this.startTime;
}
public long getStop() {
this.stopTime = System.currentTimeMillis();
return this.stopTime;
}
public long getElapsedTime() {
return this.stopTime - this.startTime;
}
public static void selectionSort(int[] arr) {
for (int i = 0; i < arr.length - 1; i++) {
int index = i;
for (int j = i + 1; j < arr.length; j++) {
if (arr[j] < arr[index]) {
index = j;
}
}
int min = arr[index];
arr[index] = arr[i];
arr[i] = min;
}
}
public static void main(String[] args) {
int[] arr1 = new int[100000];
for (int i = 0; i < arr1.length; i++)
arr1[i] = (int) (Math.random()*99999 + 10);
StopWatch stopWatch = new StopWatch();
System.out.println("star Time: " + stopWatch.getStar());
selectionSort(arr1);
System.out.println("star Time: " + stopWatch.getStop());
System.out.println("Elapsed Time: " + stopWatch.getElapsedTime());
}
}
/* public static void main(String[] args) {
*//*int choice = -1;
Scanner sc = new Scanner(System.in);
System.out.println("1. choice start Time:");
System.out.println("2. choice stop Time: ");
System.out.println("3. choice display Elapsed Time : ");
System.out.println("0. Exit");
StopWatch stopWatch = new StopWatch();
do {
choice = sc.nextInt();
switch (choice) {
case 1:
System.out.println("star Time: " + stopWatch.getStar());
break;
case 2:
System.out.println("stop Time:" + stopWatch.getStop());
break;
case 3:
System.out.println("Elapsed Time: " + stopWatch.getElapsedTime());
break;
case 0:
System.exit(0);
break;
default:
System.out.println("chon sai");
}
} while (choice != 0);
}*//*
}*/ | [
"Dangnghia031089@gmail.com"
] | Dangnghia031089@gmail.com |
43692457305e80bcdea4c4d00cf276bddd583ba5 | 12a8a42ef8a1da3dae39d04bd32b0da73af88730 | /hml/src/main/java/hu/se/naseer/hml/model/ERole.java | 91541680fccbe0087a590db2b0fec9564e1b9ac4 | [] | no_license | naseerfetrat/3pleFB | 0b783674fa6a7c98a96d474ffdcd18dc447c6589 | 772c779293cfbd2ab2b6b10c8fc221268d23e8b3 | refs/heads/master | 2023-04-12T23:28:01.148253 | 2021-04-25T10:01:53 | 2021-04-25T10:01:53 | 361,387,889 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 102 | java | package hu.se.naseer.hml.model;
public enum ERole {
ROLE_USER,
ROLE_MODERATOR,
ROLE_ADMIN
}
| [
"naseer.fetrat@gmail.com"
] | naseer.fetrat@gmail.com |
b396d17aa6f44b52c8153c2b94b210d9794ef260 | 781d6bff059ad5a68079e5a135b987e818d66b77 | /Homework 1/Lesson3.2/src/nekretnina/Stan.java | 05f2992966e83cd056fef56ded074e765266327d | [] | no_license | Ana-cpu/JavaZadaci | a48a5622163b098ed1065946c265fac54bb4c106 | c3dbd3966ea3d200f2d93a4c5cc0769b3566e715 | refs/heads/master | 2020-09-25T00:00:15.864213 | 2020-02-20T12:23:14 | 2020-02-20T12:23:14 | 225,874,328 | 0 | 0 | null | 2020-02-20T12:23:16 | 2019-12-04T13:30:18 | Java | UTF-8 | Java | false | false | 932 | java | package nekretnina;
public class Stan extends Nekretnina{
Nekretnina Nekretnina;
public Stan() {
super();
}
public Stan(Vlasnik Vlasnik, String address, int zone, int kvadratura) {
this.Nekretnina = Nekretnina;
}
public double izracunajCenu(double kvadratura, int zone) {
double cena = 0.0;
if (zone == 1) {
cena = kvadratura * 3000 * 0.15;
} else if (zone == 2) {
cena = kvadratura * 2000 * 0.15;
} else if (zone == 3) {
cena = kvadratura * 1000 * 0.15;
} else {
cena = kvadratura * 500 * 0.15;
}
return cena;
}
public String toString() {
return "Adresa je: " + address + ", u zoni: " + zone + ", kvadrature: " + kvadratura + ", cena je: " + izracunajCenu(kvadratura, zone) + ", " + " Ime: " + ime + "\n Prezime: " + prezime + "\n Maticni broj: " + jmbg + "\n Broj licne karte: " + licnaKarta + "\nAddress: " + address + "\nZone: " + zone + "\nkvadratura: " + kvadratura;
}
}
| [
"you@example.com"
] | you@example.com |
01fc9c25213f4ac70c206fe52a012b63eb99f08d | 44c95bf5208472a0fa7dc4493ca606ae53cfb23a | /modules/listeners/src/main/java/io/wcm/qa/galenium/listeners/RetryAnalyzerAnnotationTransformer.java | 7d85b10921b3824e813da61c07729738e771a702 | [
"Apache-2.0"
] | permissive | pallabbanerjee/wcm-io-qa-galenium | f2d13207bc67a163d3bc56dadbf44be89ebf9170 | 2ddbc8476c19470051db4fd5915722341d7c295a | refs/heads/master | 2020-05-07T18:35:01.975692 | 2019-03-27T18:13:23 | 2019-03-27T18:13:23 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,270 | java | /*
* #%L
* wcm.io
* %%
* Copyright (C) 2018 wcm.io
* %%
* 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.
* #L%
*/
package io.wcm.qa.galenium.listeners;
import java.lang.reflect.Constructor;
import java.lang.reflect.Method;
import org.testng.IAnnotationTransformer;
import org.testng.annotations.ITestAnnotation;
/**
* Sets {@link RetryAnalyzer} on test classes to facilitate retries without too much boiler plate.
*/
public class RetryAnalyzerAnnotationTransformer implements IAnnotationTransformer {
@Override
public void transform(ITestAnnotation annotation, Class testClass, Constructor testConstructor, Method testMethod) {
if (annotation.getRetryAnalyzer() == null) {
annotation.setRetryAnalyzer(RetryAnalyzer.class);
}
}
}
| [
"apegam@pro-vision.de"
] | apegam@pro-vision.de |
ca1d48c26cadd20f7a371cc268e73f6a16259aa1 | e8f4786c2ff0a985db86cc882bec97f9228c929c | /src/com/finersoft/chap05/DecOctHexLiteral.java | 4c59ad013ec6a5fb85fa0cc4bfaee3d78616a3cc | [] | no_license | finersoft/ShinMeiKaiJava | d558fa0f22aaaa706ebe632a2c3575fd071e650f | 56a81136a8a40867c286b51330050726cfe4d59f | refs/heads/master | 2021-09-14T09:40:14.714503 | 2018-05-11T13:22:45 | 2018-05-11T13:22:45 | 126,028,288 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 405 | java | package com.finersoft.chap05;
// 整数常量(十进制/八进制/十六进制)
class DecOctHexLiteral {
public static void main(String[] args) {
// 十进制数的13
int a = 13;
// 八进制数的13
int b = 013;
// 十六进制数的13
int c = 0x13;
System.out.println("a = " + a);
System.out.println("b = " + b);
System.out.println("c = " + c);
}
}
| [
"admin@DESKTOP-2C7OUOF"
] | admin@DESKTOP-2C7OUOF |
bef757677bfb9f1cac6ebc3a426652fd093d461f | 6e76685ece75b2d2c67db7dc83d7515657f87c7f | /recognition/src/main/java/com/xiongdi/recognition/fragment/DatePickerFragment.java | 4c4ad9ebcf61b4c377380c6ab0058c3b16e46b8d | [] | no_license | georgeemr/UsbHostModeFingerprint | a60e99228ad263d51d61030d71ef19bf3d852b3f | 28f6597e80720ada8ac37a37fbedf8763c27b6bb | refs/heads/master | 2020-03-26T15:51:48.692671 | 2016-10-26T08:56:52 | 2016-10-26T08:56:52 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,989 | java | package com.xiongdi.recognition.fragment;
import android.app.DatePickerDialog;
import android.app.Dialog;
import android.os.Bundle;
import android.support.annotation.NonNull;
import android.support.v4.app.DialogFragment;
import android.widget.DatePicker;
import com.xiongdi.recognition.interfaces.DatePickerInterface;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Calendar;
import java.util.Date;
import java.util.Locale;
/**
* Created by moubiao on 2016/3/22.
* 日期选择器的dialog
*/
public class DatePickerFragment extends DialogFragment implements DatePickerDialog.OnDateSetListener {
private DatePickerInterface dateInter;
private Date saveDate;
public void setData(String dateStr, DatePickerInterface dateInter) {
SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd", Locale.getDefault());
try {
saveDate = dateFormat.parse(dateStr);
} catch (ParseException e) {
e.printStackTrace();
}
this.dateInter = dateInter;
}
@NonNull
@Override
public Dialog onCreateDialog(Bundle savedInstanceState) {
Calendar calendar = Calendar.getInstance();
calendar.setTime(saveDate);
int year = calendar.get(Calendar.YEAR);
int month = calendar.get(Calendar.MONTH);
int day = calendar.get(Calendar.DAY_OF_MONTH);
return new DatePickerDialog(getActivity(), this, year, month, day);
}
@Override
public void onDateSet(DatePicker view, int year, int monthOfYear, int dayOfMonth) {
String month_ext = String.valueOf(monthOfYear + 1);
String day_ext = String.valueOf(dayOfMonth);
if (month_ext.length() <= 1) {
month_ext = "0" + month_ext;
}
if (day_ext.length() <= 1) {
day_ext = "0" + day_ext;
}
String date = String.valueOf(year) + "-" + month_ext + "-" + day_ext;
dateInter.setDate(date);
}
}
| [
"409958786@qq.com"
] | 409958786@qq.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.