blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 4 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 689M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 22 values | gha_event_created_at timestamp[us] | gha_created_at timestamp[us] | gha_language stringclasses 131 values | src_encoding stringclasses 34 values | language stringclasses 1 value | is_vendor bool 1 class | is_generated bool 2 classes | length_bytes int64 3 9.45M | extension stringclasses 32 values | content stringlengths 3 9.45M | authors listlengths 1 1 | author_id stringlengths 0 313 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
9a337be6e58df36a6f5aa0ed13ec9e3d187eea5d | 0315f4082b33d71afb6b390eca844a2a6e341ae1 | /buglysimple/src/main/java/com/ljn/buglysimple/adapter/BaseRecyclerAdapter.java | 06a95ec56ec97e7a9fb9945a28753378c1a94a48 | [] | no_license | jinanzhuan/BuglyTest | 2d744c2ab08e65a467895d23863f563470f1c819 | 33ccc2be589c8541fb104ad3ec84bc664dc3f6a6 | refs/heads/master | 2020-03-07T05:48:53.881018 | 2018-07-12T16:39:20 | 2018-07-12T16:39:20 | 127,306,373 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,207 | java | /*
* Copyright (C) 2016 huanghaibin_dev <huanghaibin_dev@163.com>
* WebSite https://github.com/MiracleTimes-Dev
* 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.ljn.buglysimple.adapter;
import android.content.Context;
import android.support.v7.widget.RecyclerView;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import java.util.ArrayList;
import java.util.List;
/**
* 基本的适配器
*/
@SuppressWarnings("unused")
public abstract class BaseRecyclerAdapter<T> extends RecyclerView.Adapter {
protected LayoutInflater mInflater;
protected List<T> mItems;
private OnItemClickListener onItemClickListener;
private OnClickListener onClickListener;
public BaseRecyclerAdapter(Context context) {
this.mItems = new ArrayList<>();
mInflater = LayoutInflater.from(context);
onClickListener = new OnClickListener() {
@Override
public void onClick(int position, long itemId) {
if (onItemClickListener != null)
onItemClickListener.onItemClick(position, itemId);
}
};
}
@Override
public RecyclerView.ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) {
final RecyclerView.ViewHolder holder = onCreateDefaultViewHolder(parent, viewType);
if (holder != null) {
holder.itemView.setTag(holder);
holder.itemView.setOnClickListener(onClickListener);
}
return holder;
}
@Override
public void onBindViewHolder(RecyclerView.ViewHolder holder, int position) {
onBindViewHolder(holder, mItems.get(position), position);
}
protected abstract RecyclerView.ViewHolder onCreateDefaultViewHolder(ViewGroup parent, int type);
protected abstract void onBindViewHolder(RecyclerView.ViewHolder holder, T item, int position);
@Override
public int getItemCount() {
return mItems.size();
}
void setOnItemClickListener(OnItemClickListener onItemClickListener) {
this.onItemClickListener = onItemClickListener;
}
void addAll(List<T> items) {
if (items != null && items.size() > 0) {
mItems.addAll(items);
notifyItemRangeInserted(mItems.size(), items.size());
}
}
final void addItem(T item) {
if (item != null) {
this.mItems.add(item);
notifyItemChanged(mItems.size());
}
}
final List<T> getItems() {
return mItems;
}
final T getItem(int position) {
if (position < 0 || position >= mItems.size())
return null;
return mItems.get(position);
}
static abstract class OnClickListener implements View.OnClickListener {
@Override
public void onClick(View v) {
RecyclerView.ViewHolder holder = (RecyclerView.ViewHolder) v.getTag();
onClick(holder.getAdapterPosition(), holder.getItemId());
}
public abstract void onClick(int position, long itemId);
}
interface OnItemClickListener {
void onItemClick(int position, long itemId);
}
public final void removeItem(T item) {
if (this.mItems.contains(item)) {
int position = mItems.indexOf(item);
this.mItems.remove(item);
notifyItemRemoved(position);
}
}
protected final void removeItem(int position) {
if (this.getItemCount() > position) {
this.mItems.remove(position);
notifyItemRemoved(position);
}
}
protected final void clear(){
mItems.clear();
notifyDataSetChanged();
}
}
| [
"liujinan@eheartcare.com"
] | liujinan@eheartcare.com |
37fa0e90c228582e1e40ae947f53633b933bb951 | 6f3a079b9b1e4da6c36b970fcb4593bbe12c74ba | /src/test/java/io/github/shengchaojie/springstrategy/test/demo/rewardpoints/PointsRewardStrategy.java | a313272b830305bb63d05ccad1bb8c3037450283 | [] | no_license | lgstudy/spring-strategy-extend | 3f8854edd99a8d28e3b311e02c91aec509a8d62b | f37e9acdd56d7303535a149730eda32469685795 | refs/heads/master | 2021-01-05T11:42:07.946479 | 2019-11-29T03:25:57 | 2019-11-29T03:25:57 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 208 | java | package io.github.shengchaojie.springstrategy.test.demo.rewardpoints;
/**
* @author shengchaojie
* @date 2019-07-30
**/
public interface PointsRewardStrategy {
Integer rewardPoints(Integer price);
}
| [
"shengchaojie@163.com"
] | shengchaojie@163.com |
27790a3a29b4c9861da7d1f0be1da562c0d20623 | 18c5f6449dc57d9886c1e266f19259fcef8875cf | /src/main/java/com/example/fileupload/FileStorageException.java | cad59436811988d06d155ccc9aaa782dd92ad528 | [] | no_license | devloper64/springbootfileupload | d722e908d6932e01d6e5bcb1cbe9ed1c862f4968 | 5a44b440d4aff4a4eb310df1fa8e23920683bec6 | refs/heads/master | 2020-11-24T15:54:36.290282 | 2019-12-15T18:10:27 | 2019-12-15T18:10:27 | 228,228,957 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 280 | java | package com.example.fileupload;
public class FileStorageException extends RuntimeException {
public FileStorageException(String message) {
super(message);
}
public FileStorageException(String message, Throwable cause) {
super(message, cause);
}
} | [
"mdmahfuj010@gmail.com"
] | mdmahfuj010@gmail.com |
9c451eec1463df9a600c49d0cb65c5e5eed3ca8a | cd953dfdcd8665ac859591218c5629bd7a4a1994 | /src/com/higradius/delRecord.java | d096435bd6685b58a3659e1eca05269bc15da1c0 | [] | no_license | anschy/React-stuff | 4ee16ca8eec1f7c0040d2302189c73dd455cf612 | b5d183852ab3178b0544a8800613fb0748033e45 | refs/heads/main | 2023-03-25T18:36:48.957213 | 2021-03-25T17:44:05 | 2021-03-25T17:44:05 | 347,610,781 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,487 | java | package com.higradius;
import java.io.IOException;
import java.io.PrintWriter;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import com.google.gson.Gson;
/**
* Servlet implementation class delRecord
*/
@WebServlet("/delRecord")
public class delRecord extends HttpServlet {
private static final long serialVersionUID = 1L;
/**
* @see HttpServlet#HttpServlet()
*/
public delRecord() {
super();
// TODO Auto-generated constructor stub
}
/**
* @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse
* response)
*/
protected void doGet(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException {
// TODO Auto-generated method stub
}
/**
* @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse
* response)
*/
protected void doPost(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException {
// TODO Auto-generated method stub
doGet(request, response);
String[] id = (request.getParameterValues("doc_id"));
System.out.println(id.toString());
String JDBC_DRIVER = "com.mysql.cj.jdbc.Driver";
String DB_URL = "jdbc:mysql://localhost:3306/h2h_internship";
String USER = "root";
String PASS = "root";
Connection dbCon = null;
PreparedStatement pst = null;
String temp = "";
for (int i = 0; i < id.length; i++) {
if (i != id.length - 1) {
temp += id[i] + " ,";
}else {
temp+=id[i];
}
}
System.out.println(temp);
String query1 = "DELETE FROM invoice_details WHERE doc_id IN ("+temp+")";
System.out.println(query1);
try {
Class.forName(JDBC_DRIVER);
dbCon = DriverManager.getConnection(DB_URL, USER, PASS);
pst = dbCon.prepareStatement(query1);
pst.addBatch();
pst.executeBatch();
dbCon.close();
pst.close();
Gson gson=new Gson();
Response r=new Response();
r.setName("success");
String data = gson.toJson(r);
PrintWriter out = response.getWriter();
response.setContentType("application/json");
response.setCharacterEncoding("UTF-8");
out.print(data);
} catch (Exception e) {
}
}
} | [
"noreply@github.com"
] | anschy.noreply@github.com |
e99bed9f962d96955e9b5aad388140d304fa048a | e64e94b7f44b757b5c5e3365893aa7080696fa8b | /src/day45_collections/HashSet01.java | 84621453f207c5473560ee52fc0169710500e936 | [] | no_license | MDemirkol1987/winter2021turkish | 423588d88dceab257c65b81f4f77531bfbf8b3a8 | d6a33358cfa3a76a2962ca4cfc502ec1163199bf | refs/heads/master | 2023-04-03T20:04:07.730136 | 2021-04-16T19:05:24 | 2021-04-16T19:05:24 | 358,690,721 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,131 | java | package day45_collections;
import java.util.Arrays;
import java.util.HashSet;
import java.util.Set;
public class HashSet01 {
public static void main(String[] args) {
// Verilen bir Array'deki tekrarli elemanlari silip
// unique elemanlardan olusan bir Array'e ceviren
// bir method yaziniz
int arr[]= {2,3,4,3,5,3,6,4,7,4,8,5};
int tekrarsizArray[] = tekrarlariSil(arr);
System.out.println("Main method icinde array olarak : " + Arrays.toString(tekrarsizArray));
}
public static int[] tekrarlariSil(int[] arr) {
Set<Integer> set1 = new HashSet<>();
for (Integer each : arr) {
set1.add(each);
}
System.out.println("Set olarak method icinde : " + set1); // [2, 3, 4, 5, 6, 7, 8]
int tekrarsizArray[] = new int[set1.size()];
int index=0;
for (int each : set1) {
tekrarsizArray[index]=each;
index++;
}
return tekrarsizArray;
}
} | [
"mustafa.demirkol.sn@icloud.com"
] | mustafa.demirkol.sn@icloud.com |
8e2a5d25e8628f57aaad84b2517983f121a62160 | bf4ac16703dbe08e2ec8b91b58b9cd91b1b09bdd | /app/src/main/java/me/edgeconsult/flappybird/PipeSpriteManager.java | 90b87d46140cbe2faf218fcfb0964fc3db85c853 | [] | no_license | iunanton/FlappyBird | df299f64a9a6755de39f2e1200741dea9632f10c | 69fe3f582c13b7d91687d813794792559892f266 | refs/heads/master | 2020-03-18T18:25:56.931516 | 2018-06-02T00:17:35 | 2018-06-02T00:17:35 | 135,092,298 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,961 | java | package me.edgeconsult.flappybird;
import android.graphics.Bitmap;
import android.graphics.Canvas;
import android.graphics.Rect;
import java.util.ArrayList;
import java.util.Random;
public class PipeSpriteManager implements GameObject {
private Bitmap image;
// display constants
private int displayWidth;
private int displayHeight;
private ArrayList<PipeSprite> pipeSprites;
private final Random random;
public PipeSpriteManager(Bitmap image, int displayWidth, int displayHeight) {
this.image = image;
pipeSprites = new ArrayList<>();
this.displayWidth = displayWidth;
this.displayHeight = displayHeight;
this.random = new Random();
// generate first random item
addRandomPipe();
}
private void addRandomPipe() {
int x = random.nextInt(displayWidth / 2) + displayWidth + displayWidth / 2;
int y = random.nextInt((displayHeight) / 2) + displayHeight / 4;
pipeSprites.add(new PipeSprite(image, displayWidth, displayHeight, x, y));
}
public boolean intersect(Rect rect) {
for (PipeSprite pipeSprite : pipeSprites) {
if (pipeSprite.intersect(rect)) {
return true;
}
}
return false;
}
public void update() {
PipeSprite first = pipeSprites.get(0);
if ((first.getX() + first.getWidht() / 2) < 0) {
// remove hidden element
pipeSprites.remove(0);
}
PipeSprite last = pipeSprites.get(pipeSprites.size() - 1);
if ((last.getX() + last.getWidht() / 2) <= displayWidth) {
// create new element
addRandomPipe();
}
for (PipeSprite pipeSprite : pipeSprites) {
pipeSprite.update();
}
}
public void draw(Canvas canvas) {
for (PipeSprite pipeSprite : pipeSprites) {
pipeSprite.draw(canvas);
}
}
}
| [
"iun@edgeconsult.me"
] | iun@edgeconsult.me |
37d2fa98b1944853e6ff5e4fe7d9c76f419468a2 | d138f24c6ab8ef0058f7d7bd880112859da5f3f6 | /src/main/java/com/index/Nassege/helper/CustomTextView.java | 739e594b14bc0eb61385665627b026e155a7238d | [] | no_license | Boghdady/Nassege | caa3eaef2b1253bdc6dd830cfa96b492b6f89120 | 76d4fee3c4e78bde0bb8348c58fc1306eac64f1f | refs/heads/master | 2021-01-23T01:12:47.561538 | 2017-03-23T00:04:06 | 2017-03-23T00:04:06 | 85,887,658 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,089 | java | package com.index.Nassege.helper;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Typeface;
import android.util.AttributeSet;
import me.grantland.widget.AutofitTextView;
/**
* Created by AbdulrahmanGamal on 8/3/2016.
*/
public class CustomTextView extends AutofitTextView {
public CustomTextView(Context context) {
super(context);
Typeface face= Typeface.createFromAsset(context.getAssets(), "fonts/flat_font.ttf");
this.setTypeface(face);
}
public CustomTextView(Context context, AttributeSet attrs) {
super(context, attrs);
Typeface face= Typeface.createFromAsset(context.getAssets(), "fonts/flat_font.ttf");
this.setTypeface(face);
}
public CustomTextView(Context context, AttributeSet attrs, int defStyle) {
super(context, attrs, defStyle);
Typeface face= Typeface.createFromAsset(context.getAssets(), "fonts/flat_font.ttf");
this.setTypeface(face);
}
protected void onDraw (Canvas canvas) {
super.onDraw(canvas);
}
}
| [
"boghdady107@gmail.com"
] | boghdady107@gmail.com |
1a5908946605909e337bb7ceda382cda4225974e | 6dc818eac00d33bb873402b40f2828090800b0c4 | /JSP 폴더/JSP Files/210503_sourcecode/webStudy04_springMVC_Sem/src/test/java/kr/or/ddit/member/dao/IMemberDAOTest.java | ee40b64b673c6e4dcc9064cb3f73dea748534001 | [] | no_license | JeonghoonWon/ddit | 0df0d29db4a2a1e15a7754adddb6fb5ef87935be | 478812565f3c2ed297e80bc69a5699c58c1dfdb8 | refs/heads/master | 2023-06-01T18:42:04.310131 | 2021-06-29T07:48:42 | 2021-06-29T07:48:42 | 342,758,724 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 686 | java | package kr.or.ddit.member.dao;
import static org.junit.Assert.*;
import java.util.HashMap;
import java.util.Map;
import javax.inject.Inject;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.test.context.junit4.SpringRunner;
import kr.or.ddit.TestWebAppConfiguration;
@RunWith(SpringRunner.class)
@TestWebAppConfiguration
public class IMemberDAOTest {
@Inject
private IMemberDAO dao;
private Map<String, Object> pMap;
@Before
public void setUp() throws Exception {
pMap = new HashMap<>();
}
@Test
public void testRealDeleteMembers() {
dao.realDeleteMembers(pMap);
System.out.println(pMap);
}
}
| [
"expedition1205@gmail.com"
] | expedition1205@gmail.com |
7822e80b11600dbfd4ff5fb0f632ae54e355c0d9 | 7c2390aabc7683f598a9dbddf0126987867e933c | /common-lib/common/src/main/java/com/data/volley/toolbox/ByteArrayPool.java | fe4d801337983a3e8662b2c494bb2fc9a063584f | [] | no_license | xiongkai888/PeiYu | c614bf08458e2a12b81af1355bc37e865d4734cc | eb8430f4a170bc13346b7a43ecd89e2c7c34e4d1 | refs/heads/master | 2020-04-11T20:09:02.149175 | 2019-01-18T09:42:04 | 2019-01-18T09:42:04 | 162,061,401 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 5,397 | java | /*
* Copyright (C) 2012 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.data.volley.toolbox;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.LinkedList;
import java.util.List;
/**
* ByteArrayPool is a source and repository of <code>byte[]</code> objects. Its purpose is to
* supply those buffers to consumers who need to use them for a short period of time and then
* dispose of them. Simply creating and disposing such buffers in the conventional manner can
* considerable heap churn and garbage collection delays on Android, which lacks good management of
* short-lived heap objects. It may be advantageous to trade off some memory in the form of a
* permanently allocated pool of buffers in order to gain heap performance improvements; that is
* what this class does.
* <p>
* A good candidate user for this class is something like an I/O system that uses large temporary
* <code>byte[]</code> buffers to copy data around. In these use cases, often the consumer wants
* the buffer to be a certain minimum size to ensure good performance (e.g. when copying data chunks
* off of a stream), but doesn't mind if the buffer is larger than the minimum. Taking this into
* account and also to maximize the odds of being able to reuse a recycled buffer, this class is
* free to return buffers larger than the requested size. The caller needs to be able to gracefully
* deal with getting buffers any size over the minimum.
* <p>
* If there is not a suitably-sized buffer in its recycling pool when a buffer is requested, this
* class will allocate a new buffer and return it.
* <p>
* This class has no special ownership of buffers it creates; the caller is free to take a buffer
* it receives from this pool, use it permanently, and never return it to the pool; additionally,
* it is not harmful to return to this pool a buffer that was allocated elsewhere, provided there
* are no other lingering references to it.
* <p>
* This class ensures that the total size of the buffers in its recycling pool never exceeds a
* certain byte limit. When a buffer is returned that would cause the pool to exceed the limit,
* least-recently-used buffers are disposed.
*/
public class ByteArrayPool {
/** The buffer pool, arranged both by last use and by buffer size */
private List<byte[]> mBuffersByLastUse = new LinkedList<byte[]>();
private List<byte[]> mBuffersBySize = new ArrayList<byte[]>(64);
/** The total size of the buffers in the pool */
private int mCurrentSize = 0;
/**
* The maximum aggregate size of the buffers in the pool. Old buffers are discarded to stay
* under this limit.
*/
private final int mSizeLimit;
/** Compares buffers by size */
protected static final Comparator<byte[]> BUF_COMPARATOR = new Comparator<byte[]>() {
@Override
public int compare(byte[] lhs, byte[] rhs) {
return lhs.length - rhs.length;
}
};
/**
* @param sizeLimit the maximum size of the pool, in bytes
*/
public ByteArrayPool(int sizeLimit) {
mSizeLimit = sizeLimit;
}
/**
* Returns a buffer from the pool if one is available in the requested size, or allocates a new
* one if a pooled one is not available.
*
* @param len the minimum size, in bytes, of the requested buffer. The returned buffer may be
* larger.
* @return a byte[] buffer is always returned.
*/
public synchronized byte[] getBuf(int len) {
for (int i = 0; i < mBuffersBySize.size(); i++) {
byte[] buf = mBuffersBySize.get(i);
if (buf.length >= len) {
mCurrentSize -= buf.length;
mBuffersBySize.remove(i);
mBuffersByLastUse.remove(buf);
return buf;
}
}
return new byte[len];
}
/**
* Returns a buffer to the pool, throwing away old buffers if the pool would exceed its allotted
* size.
*
* @param buf the buffer to return to the pool.
*/
public synchronized void returnBuf(byte[] buf) {
if (buf == null || buf.length > mSizeLimit) {
return;
}
mBuffersByLastUse.add(buf);
int pos = Collections.binarySearch(mBuffersBySize, buf, BUF_COMPARATOR);
if (pos < 0) {
pos = -pos - 1;
}
mBuffersBySize.add(pos, buf);
mCurrentSize += buf.length;
trim();
}
/**
* Removes buffers from the pool until it is under its size limit.
*/
private synchronized void trim() {
while (mCurrentSize > mSizeLimit) {
byte[] buf = mBuffersByLastUse.remove(0);
mBuffersBySize.remove(buf);
mCurrentSize -= buf.length;
}
}
}
| [
"173422042@qq.com"
] | 173422042@qq.com |
29103d820b4e84f02f7a7c341d5d4ef483385ac3 | 2385b9918cd804ba669916969630cf3596f28a2e | /boot-jeesite-common/src/main/java/com/thinkgem/jeesite/modules/sys/dao/LogDao.java | a27475aa0a0c9c3487f1b993e2c1357ea1a57630 | [
"Apache-2.0"
] | permissive | goktech/boot-jeesite | 2900366d774b14ff94787b1f5ce77a361d526495 | 22b3bab04a91954d61091dd820ac1f76879730d7 | refs/heads/master | 2020-07-07T07:21:02.153518 | 2018-11-20T05:20:26 | 2018-11-20T05:20:26 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 478 | java | /**
* Copyright © 2012-2016 <a href="https://github.com/thinkgem/jeesite">JeeSite</a> All rights reserved.
*/
package com.thinkgem.jeesite.modules.sys.dao;
import com.thinkgem.jeesite.common.persistence.CrudDao;
import com.thinkgem.jeesite.common.persistence.annotation.MyBatisDao;
import com.thinkgem.jeesite.modules.sys.entity.Log;
/**
* 日志DAO接口
*
* @author ThinkGem
* @version 2014-05-16
*/
@MyBatisDao
public interface LogDao extends CrudDao<Log> {
}
| [
"731315455@qq.com"
] | 731315455@qq.com |
933365c5d559825e6ddb095fbd96b8f0176798f1 | 2cb337e4931409d49cd718209903245c9a3d099c | /app/src/test/java/kr/hs/gshs/blebeaconprotocollibraryapp/ExampleUnitTest.java | 45262bf44f59fb9a2a77cd487b3bfd20e5fb96c0 | [] | no_license | kjh618/BLEBeaconProtocolLibraryApp | cb30961b3a5ef42df0801c2383b7ef4b6ed94c7d | 6f5cdcf28c04828ac05f3b710458a40a8a7f3d89 | refs/heads/master | 2021-08-27T22:11:09.358201 | 2017-12-10T13:51:08 | 2017-12-10T13:51:08 | 113,679,572 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 416 | java | package kr.hs.gshs.blebeaconprotocollibraryapp;
import org.junit.Test;
import static org.junit.Assert.*;
/**
* Example local unit test, which will execute on the development machine (host).
*
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
*/
public class ExampleUnitTest {
@Test
public void addition_isCorrect() throws Exception {
assertEquals(4, 2 + 2);
}
} | [
"kimjihoon6188@daum.net"
] | kimjihoon6188@daum.net |
f20590211f2b9d7843e98aff093b7a50aabe5828 | fc9c74f43579b3ee95ed7f585b0b298021ac3941 | /abdulkalam/src/stevejobs/Test40.java | a89a86fe5a97e9adee61507da535a05b15358bcd | [] | no_license | Msasi2726/hi | 25129b2fc0c10d32c71be9962139a747b5b37f4c | 8b72803c284e5b87e9c056ab2bcbd31388af60cd | refs/heads/master | 2020-04-14T13:05:14.022926 | 2019-02-28T16:57:38 | 2019-02-28T16:57:38 | 163,830,915 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,211 | java | package stevejobs;
import org.openqa.selenium.By;
import org.openqa.selenium.WebElement;
import org.openqa.selenium.chrome.ChromeDriver;
import org.openqa.selenium.interactions.Actions;
public class Test40
{
public static void main(String[] args) throws Exception
{
//Launch site
System.setProperty("webdriver.chrome.driver",
"E:\\batch237\\chromedriver.exe");
ChromeDriver driver=new ChromeDriver();
driver.get("https://www.w3schools.com/css/css_tooltip.asp");
driver.manage().window().maximize();
Thread.sleep(5000);
//Get tool-tip via title attribute
WebElement e1=driver.findElement(By.linkText(
"JAVASCRIPT"));
String x=e1.getAttribute("title");
System.out.println(x);
Thread.sleep(5000);
//Move mouse pointer to an element for tool-tip
WebElement e2=driver.findElement(By.xpath(
"(//*[@class='tooltip'])[1]"));
Actions a=new Actions(driver);
a.moveToElement(e2).clickAndHold().build().perform();
Thread.sleep(5000);
WebElement e3=driver.findElement(By.xpath(
"(//*[@class='tooltip'])[1]/span"));
String y=e3.getText();
System.out.println(y);
a.release().build().perform();
//Close site
driver.close();
}
}
| [
"46027729+Msasi2726@users.noreply.github.com"
] | 46027729+Msasi2726@users.noreply.github.com |
798cb7bcce86492e36a2163672d071655859cb1f | 2d6e017e2b222ad301d7074603908bad0055d395 | /salary_manage/src/test/java/xpu/edu/dao/PaymentInfoDaoTest.java | e6ed5d403ef3208b72e379c6539e3365ae1e77e9 | [] | no_license | LiLiLiLaLa/SchoolPractice | 3a712a1a6069e2b6cb5238c48fdebfcc47dd3d17 | 9d984981442db00e7910e1c915b9e7a43c19df9b | refs/heads/master | 2022-07-09T09:28:57.604834 | 2019-08-24T10:51:40 | 2019-08-24T10:51:40 | 163,854,632 | 0 | 0 | null | 2022-06-21T01:27:06 | 2019-01-02T14:58:22 | Java | UTF-8 | Java | false | false | 1,110 | java | package xpu.edu.dao;
import org.apache.ibatis.io.Resources;
import org.apache.ibatis.session.SqlSession;
import org.apache.ibatis.session.SqlSessionFactory;
import org.apache.ibatis.session.SqlSessionFactoryBuilder;
import org.junit.Test;
import xpu.edu.entry.GrantItem;
import xpu.edu.entry.PaymentInfo;
import java.io.IOException;
import java.io.Reader;
import java.math.BigDecimal;
import java.util.Date;
import java.util.List;
public class PaymentInfoDaoTest {
@Test
public void getAllTest() {
Reader reader = null;
try {
reader = Resources.getResourceAsReader("resource.xml");
} catch (IOException e) {
e.printStackTrace();
}
SqlSessionFactory sessionFactory = new SqlSessionFactoryBuilder().build(reader);
SqlSession session = sessionFactory.openSession();
PaymentInfoDao mapper = session.getMapper(PaymentInfoDao.class);
List<PaymentInfo> all = mapper.getAll();
for (PaymentInfo pay:all) {
System.out.println(pay);
}
session.commit();
session.close();
}
}
| [
"1921300809@qq.com"
] | 1921300809@qq.com |
905adb57f05817b329a7baeddaaf40fa0bee9843 | d23cbefdbb6e1f2e97093e32b4a41acf20177517 | /chatBot/src/dao/ConversaDao.java | 67c944b0b0626be8a53d708eef78967ef112bf32 | [] | no_license | maloquis/Chatbot | f3a49fbda8fde4d759588f9a6aac88a4009f9767 | fb5dda7f014af351eb0386a70b336d9fb127279e | refs/heads/master | 2020-03-16T16:17:36.805292 | 2018-05-09T16:42:02 | 2018-05-09T16:42:02 | 132,780,548 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,013 | java | package dao;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import pacote.Conversa;
public class ConversaDao {
public int guardar_respostata(Conversa conversa) {
String sqlInsert = "INSERT INTO conversa(pergunta,respostas) VALUES (?,?)";
// usando o try with resources do Java 7, que fecha o que abriu
try (Connection conn = ConnectionFactory.obtemConexao();
PreparedStatement stm = conn.prepareStatement(sqlInsert);) {
stm.setString(1, conversa.getPergunta());
stm.setString(2, conversa.getResposta());
stm.execute();
String sqlQuery = "SELECT LAST_INSERT_ID()";
try (PreparedStatement stm2 = conn.prepareStatement(sqlQuery);
ResultSet rs = stm2.executeQuery();) {
if (rs.next()) {
conversa.setId_conversa(rs.getInt(1));
}
} catch (SQLException e) {
e.printStackTrace();
}
} catch (SQLException e) {
e.printStackTrace();
}
return conversa.getId_conversa();
}
}
| [
"rafaelgamer.trol@gmail.com"
] | rafaelgamer.trol@gmail.com |
6ef58f0133c20dd8e666af889e06ef4b04058c30 | d7bc723a1415150ee0f70b81df5b0b457df5e578 | /src/nMutantApp/metrics/InputPane.java | 7d9a9bbbad2f6ff032735291427450e36fd37039 | [] | no_license | sunjun-group/nMutantApp | 84e52a4a869280e7f5d9b839f0fe887b5a26830c | 7ad368059ac85c55ee19d2941949c6ea5f0db824 | refs/heads/master | 2020-03-29T15:37:08.497501 | 2019-03-01T06:59:43 | 2019-03-01T06:59:43 | 150,072,557 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 5,327 | java | package nMutantApp.metrics;
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.GridBagConstraints;
import java.awt.GridBagLayout;
import java.awt.Insets;
import java.awt.event.ActionEvent;
import java.beans.PropertyChangeEvent;
import java.beans.PropertyChangeListener;
import javax.swing.AbstractAction;
import javax.swing.DefaultComboBoxModel;
import javax.swing.JButton;
import javax.swing.JComboBox;
import javax.swing.JInternalFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JSeparator;
import javax.swing.JTextField;
import javax.swing.SwingConstants;
import javax.swing.border.LineBorder;
import nMutantApp.AttackFunction;
import nMutantApp.DataSet;
import nMutantApp.components.FileInput;
import nMutantApp.components.JComponentFactory;
import nMutantApp.components.Worker;
import nMutantApp.metrics.MetricsCalculator.MetricsOutputHandler;
public class InputPane extends JInternalFrame {
private static final long serialVersionUID = 1L;
private MetricsOutputHandler callback;
JComboBox<DataSet> comboDataset;
JTextField txtModel;
JComboBox<AttackFunction> comboAttackFunction;
JButton btnCalculMetrics = new JButton("d");
// FileInput trainData;
// FileInput testData;
FileInput dataSetFolder;
public InputPane(MetricsOutputHandler callback) {
decorate();
setVisible(true);
this.callback = callback;
registerHandler();
}
private void registerHandler() {
btnCalculMetrics.setAction(new AbstractAction("Calculate Metrics") {
private static final long serialVersionUID = 1L;
@Override
public void actionPerformed(ActionEvent e) {
btnCalculMetrics.setEnabled(false);
MetricsCalculator calculator = new MetricsCalculator(callback, (DataSet) comboDataset.getSelectedItem(),
(AttackFunction) comboAttackFunction.getSelectedItem(), txtModel.getText(),
/*trainData.getTextField().getText(), testData.getTextField().getText()*/
dataSetFolder.getTextField().getText());
Worker worker = new Worker(calculator);
worker.addPropertyChangeListener(new PropertyChangeListener() {
@Override
public void propertyChange(PropertyChangeEvent evt) {
if (Worker.PROPERTY_NAME.equals(evt.getPropertyName())
&& Boolean.TRUE.equals(evt.getNewValue())) {
btnCalculMetrics.setEnabled(true);
}
}
});
worker.execute();
}
@Override
public void setEnabled(boolean newValue) {
}
});
}
private void decorate() {
setTitle("Input");
getContentPane().setLayout(new BorderLayout());
setBorder(new LineBorder(new Color(0, 0, 0)));
GridBagLayout gb = new GridBagLayout();
JPanel panel = new JPanel(gb);
getContentPane().add(panel, BorderLayout.NORTH);
/* Dataset */
int row = 0;
JLabel lblInput_1 = new JLabel("Dataset");
lblInput_1.setToolTipText("Name of Target Datasets");
GridBagConstraints gbc = JComponentFactory.gbc(0, row, 1);
gbc.insets = new Insets(30, 5, 5, 5);
panel.add(lblInput_1, gbc);
comboDataset = new JComboBox<>();
comboDataset.setModel(new DefaultComboBoxModel<>(DataSet.values()));
gbc = JComponentFactory.gbc(1, row, 2);
gbc.insets = new Insets(30, 5, 5, 5);
panel.add(comboDataset, gbc);
/* model */
row++;
JLabel lblModel = new JLabel("Model Name");
lblModel.setToolTipText("Model name");
panel.add(lblModel, JComponentFactory.gbc(0, row, 1));
txtModel = new JTextField();
panel.add(txtModel, JComponentFactory.gbc(1, row, 2));
/* attack function */
row++;
JLabel lblAttack = new JLabel("Attack Type");
lblAttack.setToolTipText("Attack type");
panel.add(lblAttack, JComponentFactory.gbc(0, row, 1));
comboAttackFunction = new JComboBox<>(new DefaultComboBoxModel<>(AttackFunction.values()));
panel.add(comboAttackFunction, JComponentFactory.gbc(1, row, 2));
// /* train data */
// row++;
// trainData = new FileInput("Training Set", true, this);
// panel.add(trainData.getLbl(), JComponentFactory.gbc(0, row, 1));
// panel.add(trainData.getTextField(), JComponentFactory.gbc(1, row, 2));
// row++;
// gbc = JComponentFactory.gbc(2, row, 1);
// gbc.insets = new Insets(0, 0, 0, 5);
// panel.add(trainData.getBtnBrowse(), gbc);
//
// /* test data */
// row++;
// testData = new FileInput("Testing Set", true, this);
// panel.add(testData.getLbl(), JComponentFactory.gbc(0, row, 1));
// panel.add(testData.getTextField(), JComponentFactory.gbc(1, row, 2));
// row++;
// gbc = JComponentFactory.gbc(2, row, 1);
// gbc.insets = new Insets(0, 0, 0, 5);
// panel.add(testData.getBtnBrowse(), gbc);
/* data set folder */
row++;
dataSetFolder = new FileInput("DataSet folder", true, this);
dataSetFolder.getLbl().setToolTipText(
"DataSet folder must include all neccessary input data for calculating metrics, such as: train_data, test_data and its associated 'va' (??Pexin??) folders");
panel.add(dataSetFolder.getLbl(), JComponentFactory.gbc(0, row, 1));
panel.add(dataSetFolder.getTextField(), JComponentFactory.gbc(1, row, 2));
row++;
gbc = JComponentFactory.gbc(2, row, 1);
gbc.insets = new Insets(0, 0, 0, 5);
panel.add(dataSetFolder.getBtnBrowse(), gbc);
row++;
panel.add(new JSeparator(SwingConstants.HORIZONTAL), JComponentFactory.gbc(0, row++, 3));
panel.add(btnCalculMetrics, JComponentFactory.gbc(1, row, 1));
}
}
| [
"lylypp6987@gmail.com"
] | lylypp6987@gmail.com |
02fe420eca8dcdb89c3b3896e147b0f4f9841d47 | 0dab20072e798e5a778ef3798562baf104ee4630 | /app/src/main/java/com/leaf/zhsjalpha/utils/MD5Utils.java | f74ba50ac12633194b40ce6ea703757cfc5ad91e | [] | no_license | leaf-wai/Android-zhsj | c3256fcd09fd0720d18d80bbfabf2aa9d50dc62c | 795dfa6d0487dbe8a29a50905fb732c3ae1dfbc9 | refs/heads/master | 2023-04-08T18:59:42.687503 | 2021-04-10T12:24:32 | 2021-04-10T12:24:32 | 280,086,047 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 953 | java | package com.leaf.zhsjalpha.utils;
import android.text.TextUtils;
import androidx.annotation.NonNull;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
public class MD5Utils {
@NonNull
public static String md5(String string) {
if (TextUtils.isEmpty(string)) {
return "";
}
MessageDigest md5;
try {
md5 = MessageDigest.getInstance("MD5");
byte[] bytes = md5.digest(string.getBytes());
StringBuilder result = new StringBuilder();
for (byte b : bytes) {
String temp = Integer.toHexString(b & 0xff);
if (temp.length() == 1) {
temp = "0" + temp;
}
result.append(temp);
}
return result.toString();
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
}
return "";
}
}
| [
"leafwai@outlook.com"
] | leafwai@outlook.com |
a131192ecbfc0ed1815981948a6ff2780ea801ad | b1862eec840452d18575412ca98394a81c9f3f76 | /src/main/java/demo/SyncStationRepository.java | 9b14a5b40d880c2c7fc3dd8acda8045711b757b8 | [] | no_license | hypier/redis-demo | 7954fc102027229162a0e1d430ad3ffca4b30e2e | 06aaad5b8459c7ff8271dc6be0f1ec50d4423289 | refs/heads/master | 2022-12-13T08:39:59.693880 | 2019-06-10T05:33:44 | 2019-06-10T05:33:44 | 294,261,039 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 402 | java | package demo;
import demo.model.SyncStation;
import org.springframework.data.repository.CrudRepository;
/**
* Created by heyong on 2018/8/24 11:21
* Description:
*/
public interface SyncStationRepository extends CrudRepository<SyncStation, String> {
/**
* 根据状态取1条数据
* @param syncStatus
* @return
*/
SyncStation findFirstBySyncStatus(int syncStatus);
}
| [
"16936189@qq.com"
] | 16936189@qq.com |
8063eece5e74559b5008c3895a7ab5cd30ba6fbd | 0fe056e51de942b01d4fdf06e387da7e3bfd7c42 | /app/src/androidTest/java/com/example/jg57/xmpp_test/ApplicationTest.java | 9d156985337d2a740688298ab8fb595a537779d8 | [] | no_license | jimmy923/XmppTest | 4cf3f9d6c166420da11cf6c1c73cdd285917d00a | 151bda036ec5cb10744401e6461ef86c3ffe740f | refs/heads/master | 2016-09-05T19:11:25.952396 | 2015-08-04T02:42:27 | 2015-08-04T02:42:27 | 37,652,177 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 357 | java | package com.example.jg57.xmpp_test;
import android.app.Application;
import android.test.ApplicationTestCase;
/**
* <a href="http://d.android.com/tools/testing/testing_android.html">Testing Fundamentals</a>
*/
public class ApplicationTest extends ApplicationTestCase<Application> {
public ApplicationTest() {
super(Application.class);
}
} | [
"Jimmy.S.Guo@newegg.com"
] | Jimmy.S.Guo@newegg.com |
96b24e6289a2082e5ed2b4d92b90353f29ffa2c9 | 20c3909c089416f66e8420f43d57fcf56b73fff7 | /TicTacToe.java | bb36cb44eddebdc99dc23b3304abfa7ea91b18a1 | [] | no_license | IljaRukin/java-first-steps | 75270a94399955a515fd864c025051bf2ab8b781 | 781c8a36d9a941c5e824090510228b6abcb7ad47 | refs/heads/main | 2023-02-09T20:29:51.797559 | 2021-01-07T08:27:04 | 2021-01-07T08:27:04 | 322,883,465 | 0 | 0 | null | null | null | null | ISO-8859-1 | Java | false | false | 11,824 | java | import java.awt.EventQueue;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.border.EmptyBorder;
import javax.swing.JButton;
import java.awt.event.ActionListener;
import java.awt.event.ActionEvent;
import javax.swing.JLabel;
public class TicTacToe extends JFrame {
private JPanel contentPane;
boolean var = true;
/**
* Launch the application.
*/
public static void main(String[] args) {
EventQueue.invokeLater(new Runnable() {
public void run() {
try {
TicTacToe frame = new TicTacToe();
frame.setVisible(true);
} catch (Exception e) {
e.printStackTrace();
}
}
});
}
final static JButton button = new JButton();
final static JButton button_1 = new JButton();
final static JButton button_2 = new JButton();
final static JButton button_3 = new JButton();
final static JButton button_4 = new JButton();
final static JButton button_5 = new JButton();
final static JButton button_6 = new JButton();
final static JButton button_7 = new JButton();
final static JButton button_8 = new JButton();
final static JButton button_9 = new JButton("zurücksetzen");
static JLabel lblNewLabel = new JLabel();
public static void wergewinnt() {
if ((button.getText().equals("X")) && (button_1.getText().equals("X"))
&& (button_2.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_3.getText().equals("X"))
&& (button_4.getText().equals("X"))
&& (button_5.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_6.getText().equals("X"))
&& (button_7.getText().equals("X"))
&& (button_8.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button.getText().equals("X")) && (button_4.getText().equals("X"))
&& (button_8.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_2.getText().equals("X"))
&& (button_4.getText().equals("X"))
&& (button_6.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button.getText().equals("X")) && (button_3.getText().equals("X"))
&& (button_6.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_1.getText().equals("X"))
&& (button_4.getText().equals("X"))
&& (button_7.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_2.getText().equals("X"))
&& (button_5.getText().equals("X"))
&& (button_8.getText().equals("X"))) {
lblNewLabel.setText("X gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button.getText().equals("O")) && (button_1.getText().equals("O"))
&& (button_2.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_3.getText().equals("O"))
&& (button_4.getText().equals("O"))
&& (button_5.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_6.getText().equals("O"))
&& (button_7.getText().equals("O"))
&& (button_8.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button.getText().equals("O")) && (button_4.getText().equals("O"))
&& (button_8.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_2.getText().equals("O"))
&& (button_4.getText().equals("O"))
&& (button_6.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button.getText().equals("O")) && (button_3.getText().equals("O"))
&& (button_6.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_1.getText().equals("O"))
&& (button_4.getText().equals("O"))
&& (button_7.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
if ((button_2.getText().equals("O"))
&& (button_5.getText().equals("O"))
&& (button_8.getText().equals("O"))) {
lblNewLabel.setText("O gewinnt");
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
}
}
/**
* Create the frame.fuktioniert
*/
public TicTacToe() {
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setBounds(500, 500, 300, 400);
contentPane = new JPanel();
contentPane.setBorder(new EmptyBorder(5, 5, 5, 5));
setContentPane(contentPane);
contentPane.setLayout(null);
button.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button.getText().equals("")) {
if (var == true) {
button.setText("X");
var = false;
} else if (var == false) {
button.setText("O");
var = true;
}
wergewinnt();
}
}
});
button.setBounds(0, 0, 100, 100);
contentPane.add(button);
button_1.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_1.getText().equals("")) {
if (var == true) {
button_1.setText("X");
var = false;
} else if (var == false) {
button_1.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_1.setBounds(100, 0, 100, 100);
contentPane.add(button_1);
button_2.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_2.getText().equals("")) {
if (var == true) {
button_2.setText("X");
var = false;
} else if (var == false) {
button_2.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_2.setBounds(200, 0, 100, 100);
contentPane.add(button_2);
button_3.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_3.getText().equals("")) {
if (var == true) {
button_3.setText("X");
var = false;
} else if (var == false) {
button_3.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_3.setBounds(0, 100, 100, 100);
contentPane.add(button_3);
button_4.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_4.getText().equals("")) {
if (var == true) {
button_4.setText("X");
var = false;
} else if (var == false) {
button_4.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_4.setBounds(100, 100, 100, 100);
contentPane.add(button_4);
button_5.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_5.getText().equals("")) {
if (var == true) {
button_5.setText("X");
var = false;
} else if (var == false) {
button_5.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_5.setBounds(200, 100, 100, 100);
contentPane.add(button_5);
button_6.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_6.getText().equals("")) {
if (var == true) {
button_6.setText("X");
var = false;
} else if (var == false) {
button_6.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_6.setBounds(0, 200, 100, 100);
contentPane.add(button_6);
button_7.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_7.getText().equals("")) {
if (var == true) {
button_7.setText("X");
var = false;
} else if (var == false) {
button_7.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_7.setBounds(100, 200, 100, 100);
contentPane.add(button_7);
button_8.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
if (button_8.getText().equals("")) {
if (var == true) {
button_8.setText("X");
var = false;
} else if (var == false) {
button_8.setText("O");
var = true;
}
wergewinnt();
}
}
});
button_8.setBounds(200, 200, 100, 100);
contentPane.add(button_8);
button_9.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
button.setText("");
button_1.setText("");
button_2.setText("");
button_3.setText("");
button_4.setText("");
button_5.setText("");
button_6.setText("");
button_7.setText("");
button_8.setText("");
lblNewLabel.setText("");
}
});
button_9.setBounds(0, 340, 300, 20);
contentPane.add(button_9);
lblNewLabel.setBounds(0, 310, 300, 20);
contentPane.add(lblNewLabel);
}
}
| [
"ilja.rukin@gmail.com"
] | ilja.rukin@gmail.com |
dd71548108f1545f2ddb7d9be73f66e1a9a8e30c | 71e9401af61e367ea6e2d37109cdfe8e629ecf7b | /app/src/main/java/com/jackal/jack/healthdaily/GoalPagerFragment.java | bdef0b1e5fe809ca8171cd39ede8e9bf5db94058 | [] | no_license | DirectlyMe/HealthDaily | 6548c2a546aee24767409d2d47371fc5f5426631 | 0ede97734871fdb90430b1e0db63e7b2ad0d4e65 | refs/heads/master | 2021-05-09T05:11:11.619472 | 2018-02-08T22:16:07 | 2018-02-08T22:16:07 | 119,301,741 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,685 | java | package com.jackal.jack.healthdaily;
import android.content.Context;
import android.content.Intent;
import android.os.Bundle;
import android.support.annotation.Nullable;
import android.support.v4.app.Fragment;
import android.telecom.Call;
import android.text.Editable;
import android.text.TextWatcher;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.Button;
import android.widget.EditText;
import android.widget.RadioButton;
import android.widget.RadioGroup;
import android.widget.TextView;
import java.util.List;
/**
* Created by Jack on 12/26/17.
*/
public class GoalPagerFragment extends Fragment {
private TextView mQuestionNumber;
private TextView mQuestionView;
private EditText mUserInputEditText;
private RadioButton mRadioButtonTrue;
private RadioButton mRadioButtonFalse;
private Button mSubmitButton;
private Goal mGoal;
private GoalToggleType mGoalToggle;
private GoalUserInputType mGoalUserInput;
private Callbacks mCallbacks;
private static final String ARG_GOAL = "goal object";
public interface Callbacks {
void sendGoals();
}
@Override
public void onAttach(Context context) {
super.onAttach(context);
mCallbacks = (Callbacks) context;
}
@Override
public void onDetach() {
super.onDetach();
mCallbacks = null;
}
public static GoalPagerFragment newInstance(Goal goal) {
Bundle args = new Bundle();
args.putSerializable(ARG_GOAL, goal);
GoalPagerFragment pager = new GoalPagerFragment();
pager.setArguments(args);
return pager;
}
@Override
public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
mGoal = (Goal) getArguments().getSerializable(ARG_GOAL);
//Casts the Goal to a specific type of goal depending on type variable
if (mGoal.getType().equals("Toggle")) {
mGoalToggle = (GoalToggleType) mGoal;
}
else {
mGoalUserInput = (GoalUserInputType) mGoal;
}
}
@Nullable
@Override
public View onCreateView(LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
View view;
//Check goal type variable to know which goal type to display.
if(mGoal.getType().equals("Toggle")) {
view = inflater.inflate(R.layout.fragment_goals_toggle, container, false);
RadioGroup radioGroup = (RadioGroup) view.findViewById(R.id.radio_group);
radioGroup.setOnCheckedChangeListener(new RadioGroup.OnCheckedChangeListener() {
@Override
public void onCheckedChanged(RadioGroup radioGroup, int id) {
if (id == R.id.radio_button_true) {
mGoalToggle.setUserAnswer(true);
}
else {
mGoalToggle.setUserAnswer(false);
}
}
});
}
//inflates and sets up a userinput goal type layout
else {
view = inflater.inflate(R.layout.fragment_goals_userinput, container, false);
mUserInputEditText = (EditText) view.findViewById(R.id.editText);
mUserInputEditText.setHint(mGoalUserInput.getUserHint());
mUserInputEditText.addTextChangedListener(new TextWatcher() {
@Override
public void beforeTextChanged(CharSequence charSequence, int i, int i1, int i2) {
}
@Override
public void onTextChanged(CharSequence charSequence, int i, int i1, int i2) {
mGoalUserInput.setUserAnswer(mUserInputEditText.getText().toString());
}
@Override
public void afterTextChanged(Editable editable) {
}
});
}
mQuestionNumber = (TextView) view.findViewById(R.id.question_number_view);
mQuestionNumber.setText(mGoal.getQuestionNumber() + "/10");
mQuestionView = (TextView) view.findViewById(R.id.question_text_view);
mQuestionView.setText(mGoal.getQuestion());
mSubmitButton = (Button) view.findViewById(R.id.submit_button);
if (mGoal.getQuestionNumber() != 10) {
mSubmitButton.setVisibility(View.INVISIBLE);
}
mSubmitButton.setOnClickListener(new View.OnClickListener() {
public void onClick(View v) {
mCallbacks.sendGoals();
}
});
return view;
}
}
| [
"hansenja2011@gmail.com"
] | hansenja2011@gmail.com |
1d348d61162c68e3b6adbbd56d6c7d820f012d87 | 6d6756e74d9dc5b74822e4542317868099ce3417 | /0818_JDBC_2/src/EmpTest.java | 4512ffc20ede642cc92e4a2823dafed6924a720b | [] | no_license | Aiden76005588/Java-practice | d4e6f4377e42da13bbcb430a7e79f15bf8224e9c | a99827ad69f197dfab7f1fd6a334e2aa42bca125 | refs/heads/master | 2022-12-05T00:38:09.581042 | 2020-08-25T09:11:07 | 2020-08-25T09:11:07 | 282,758,058 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 317 | java |
import java.util.ArrayList;
import com.biz.EmpBiz;
import com.entity.EmpDTO;
public class EmpTest {
public static void main(String[] args) {
EmpBiz empBiz = new EmpBiz();
ArrayList<EmpDTO> list = empBiz.selectAllEmp();
for(EmpDTO : list) {
System.out.println();
}
}//end main
}//end class
| [
"66179677+Aiden76005588@users.noreply.github.com"
] | 66179677+Aiden76005588@users.noreply.github.com |
8b87e1cddd75b970aa955375f1f8e7f7313ac38c | eaadbbf75cefd3896ed93c45f23c30d9c4b80ff9 | /sources/com/google/android/gms/drive/query/internal/zzh.java | 3908752390fa4e81a267923d22dd47b86790e385 | [] | no_license | Nicholas1771/Mighty_Monkey_Android_Game | 2bd4db2951c6d491f38da8e5303e3c004b4331c7 | 042601e568e0c22f338391c06714fa104dba9a5b | refs/heads/master | 2023-03-09T00:06:01.492150 | 2021-02-27T04:02:42 | 2021-02-27T04:02:42 | 342,766,422 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,138 | java | package com.google.android.gms.drive.query.internal;
import android.os.Parcel;
import android.os.Parcelable;
import com.google.android.gms.common.internal.safeparcel.zzb;
public final class zzh implements Parcelable.Creator<FilterHolder> {
public final /* synthetic */ Object createFromParcel(Parcel parcel) {
zzz zzz = null;
int zzd = zzb.zzd(parcel);
zzl zzl = null;
zzn zzn = null;
zzt zzt = null;
zzp zzp = null;
zzv zzv = null;
zzr zzr = null;
zzd zzd2 = null;
zzb zzb = null;
while (parcel.dataPosition() < zzd) {
int readInt = parcel.readInt();
switch (65535 & readInt) {
case 1:
zzb = (zzb) zzb.zza(parcel, readInt, zzb.CREATOR);
break;
case 2:
zzd2 = (zzd) zzb.zza(parcel, readInt, zzd.CREATOR);
break;
case 3:
zzr = (zzr) zzb.zza(parcel, readInt, zzr.CREATOR);
break;
case 4:
zzv = (zzv) zzb.zza(parcel, readInt, zzv.CREATOR);
break;
case 5:
zzp = (zzp) zzb.zza(parcel, readInt, zzp.CREATOR);
break;
case 6:
zzt = (zzt) zzb.zza(parcel, readInt, zzt.CREATOR);
break;
case 7:
zzn = (zzn) zzb.zza(parcel, readInt, zzn.CREATOR);
break;
case 8:
zzl = (zzl) zzb.zza(parcel, readInt, zzl.CREATOR);
break;
case 9:
zzz = (zzz) zzb.zza(parcel, readInt, zzz.CREATOR);
break;
default:
zzb.zzb(parcel, readInt);
break;
}
}
zzb.zzF(parcel, zzd);
return new FilterHolder(zzb, zzd2, zzr, zzv, zzp, zzt, zzn, zzl, zzz);
}
public final /* synthetic */ Object[] newArray(int i) {
return new FilterHolder[i];
}
}
| [
"nicholasiozzo17@gmail.com"
] | nicholasiozzo17@gmail.com |
d987f25ad08c42065e73db63e366acaa265502f6 | fb65669c303f673765c2125b57e5ce20cda56edc | /src/org/arl/onetwograph/OTCanvas.java | e831d4f93c97a36bd8b14d273d9a86ac33ba18ab | [] | no_license | jeffhoye/onetwograph | 950c532d988496a2e2ebecef1090faeecc76f3fa | 5cb0d2301dc7d3be1638168b582da0db0bf53771 | refs/heads/master | 2021-01-01T17:16:56.175660 | 2015-08-07T00:23:07 | 2015-08-07T00:23:07 | 30,993,729 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 5,811 | java | package org.arl.onetwograph;
import org.arl.onetwograph.dnd.ClipRegistry;
import org.arl.onetwograph.dnd.HasNode;
import org.arl.onetwograph.dnd.HasPane;
import org.arl.onetwograph.dnd.OTFactory;
import org.arl.onetwograph.layout.StraightLine;
import org.arl.onetwograph.pallette.ThingFactory;
import org.arl.onetwograph.thing.Noun;
import org.arl.onetwograph.thing.Relation;
import org.arl.onetwograph.thing.Thing;
import javafx.event.EventHandler;
import javafx.geometry.Bounds;
import javafx.geometry.Point2D;
import javafx.scene.Node;
import javafx.scene.canvas.Canvas;
import javafx.scene.canvas.GraphicsContext;
import javafx.scene.input.DragEvent;
import javafx.scene.input.MouseEvent;
import javafx.scene.input.TransferMode;
import javafx.scene.layout.Pane;
import javafx.scene.paint.Color;
import javafx.scene.paint.Paint;
import javafx.scene.shape.Circle;
import javafx.scene.shape.Shape;
/**
* Listeners etc for a canvas.
*
* @author jeffhoye
*
*/
public class OTCanvas {
public ClipRegistry<Thing> registry;
// double dragStartX, dragStartY; // where in the canvas they clicked
// double dragObjStartX, dragObjStartY; // where on the Node they clicked
public HasNode dragging;
public Relation draggingRelation;
public HasNode nullDragable;
public Pane pane;
public OTCanvas(Pane pane, ClipRegistry<Thing> registry) {
this.registry = registry;
this.pane = pane;
final Shape mouseHandle = new Circle(-100,-100,3.0);
mouseHandle.setVisible(false);
pane.getChildren().add(mouseHandle);
nullDragable = new HasNode() {
@Override
public void setLocation(double x, double y) {
// System.out.println("nullDraggable.setLocation("+x+","+y+")");
Bounds b = mouseHandle.getBoundsInLocal();
double w = b.getWidth();
double h = b.getHeight();
mouseHandle.relocate(x-w/2.0, y-h/2.0);
}
@Override
public Node getNode() {
return mouseHandle;
}
};
pane.setOnDragOver(new EventHandler<DragEvent>(){
public void handle(DragEvent event) {
// event.getGestureSource()
if (event.getDragboard().hasContent(ThingFactory.format)) {
event.acceptTransferModes(TransferMode.COPY_OR_MOVE);
event.consume();
}
}
});
pane.setOnDragEntered(new EventHandler<DragEvent>() {
public void handle(DragEvent event) {
System.out.println("OnDragEntered");
if (event.getDragboard().hasContent(ThingFactory.format)) {
event.consume();
}
}
});
pane.setOnDragDropped(new EventHandler<DragEvent>() {
public void handle(DragEvent event) {
System.out.println("OnDragDropped");
Thing newObj = addThing(registry.getInstance(event.getDragboard()));
newObj.setLocation(event.getX(), event.getY());
}
});
pane.setOnDragDetected(new EventHandler<MouseEvent>() {
public void handle(MouseEvent event) {
System.out.println("OnDragDetected");
pane.startFullDrag();
}
});
pane.setOnMousePressed(new EventHandler<MouseEvent>() {
public void handle(MouseEvent event) {
OTFactory<Thing> selectedFactory = registry.getSelected();
if (selectedFactory == null) {
return;
}
switch(selectedFactory.getType()) {
case OTFactory.ACTOR:
case OTFactory.PROP:
Thing t = (Thing)selectedFactory.getInstance();
t.setLocation(event.getX(), event.getY());
addThing(t);
startDrag(event,t,null);
break;
}
}
});
pane.setOnMouseReleased(new EventHandler<MouseEvent>() {
public void handle(MouseEvent event) {
System.out.println("pane.OnMouseReleased");
stopDrag(event,null);
}
});
pane.setOnMouseDragged(new EventHandler<MouseEvent>() {
public void handle(MouseEvent event) {
// System.out.println("OnMouseDragged");
if (dragging != null) {
// System.out.println("dragging: "+event.getX()+","+event.getY());
dragging.setLocation(event.getX(), event.getY());
}
}
});
pane.setOnMouseDragReleased(new EventHandler<MouseEvent>() {
public void handle(MouseEvent event) {
System.out.println("pane.OnMouseDragReleased:"+event.getPickResult().getIntersectedNode());
}
});
}
public Thing addThing(Thing thing) {
thing.setCanvas(this);
return thing;
}
public void startDrag(MouseEvent event, HasNode thing, Relation r) {
System.out.println("startDrag:"+thing);
// dragStartX = event.getX();
// dragStartY = event.getY();
dragging = thing;
draggingRelation = r;
}
public void stopDrag(MouseEvent event, Thing thing) {
if (dragging == nullDragable) {
nullDragable.getNode().setVisible(false);
}
dragging = null;
if (draggingRelation != null) {
draggingRelation.remove();
draggingRelation = null;
}
}
public Noun dragTarget = null;
public void addDragTarget(Noun noun) {
if (dragTarget == noun) return;
if (dragTarget != null) {
dragTarget.setSelected(false);
}
noun.setSelected(true);
dragTarget = noun;
}
public void removeDragTarget(Noun noun) {
if (dragTarget != noun) return;
noun.setSelected(false);
dragTarget = null;
}
public void catchDrag(Noun noun) {
System.out.println("catchDrag:"+noun);
if (dragTarget != null) {
dragTarget.setSelected(false);
}
if (draggingRelation != null) {
draggingRelation.setEnd(noun);
registry.deselectAll();
}
draggingRelation = null;
noun.setSelected(false);
}
}
| [
"jeffhoye@gmail.com"
] | jeffhoye@gmail.com |
0be91483a7e7259961e0d9aa437d15d8dffce7b7 | bccb1d457ceccb42debe65fb7b6174637f0aa2bd | /app/src/main/java/com/example/a1183008/HitungHaidActivity.java | 543e6fe6145093ee16273b42395e7ddc0b905540 | [] | no_license | rohmatjulianto/risalahulapp | 96b77041dfa804e4dfe30cfd2b0793de8eabdf55 | 7e8089fa2e37fe1a2bf34d6ebef57cead42fdf43 | refs/heads/master | 2023-08-04T03:22:22.822307 | 2021-09-13T14:28:29 | 2021-09-13T14:28:29 | 404,162,210 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 9,700 | java | package com.example.a1183008;
import android.content.Intent;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.DatePicker;
import android.widget.EditText;
import android.widget.LinearLayout;
import android.widget.RadioButton;
import android.widget.RadioGroup;
import android.widget.RelativeLayout;
import android.widget.TextView;
import android.widget.Toast;
import androidx.appcompat.app.AppCompatActivity;
import com.example.a1183008.Model.ModelInputHaid;
import com.example.a1183008.Model.ModelKitab;
import java.util.List;
import retrofit2.Call;
import retrofit2.Callback;
import retrofit2.Response;
public class HitungHaidActivity extends AppCompatActivity {
public LinearLayout linearHasil;
public TextView hasil, judulTglAkhir, judulTglAwal;
public Button btnHitung;
public RelativeLayout riwayatHaid;
public EditText ed_tglawal, ed_tglakhir;
public RadioButton rbtntiya, rbtntidak;
private RadioGroup radioGroup;
private String tgAwal, tgAkhir, tglAwals;
public int awalTgl,akhirTgl, awal;
public SessionPreference sp;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_hitung_haid);
ed_tglawal = findViewById(R.id.ed_tglawal);
ed_tglakhir = findViewById(R.id.ed_tglakhir);
hasil = findViewById(R.id.hasil);
linearHasil = findViewById(R.id.linerHasil);
btnHitung = findViewById(R.id.btnHitung);
rbtntiya = findViewById(R.id.rbtniya);
rbtntidak = findViewById(R.id.rbtntidak);
radioGroup = findViewById(R.id.radioGroup);
judulTglAwal = findViewById(R.id.judulTglAwal);
judulTglAkhir = findViewById(R.id.judulTglAkhir);
riwayatHaid = findViewById(R.id.riwayatHaid);
linearHasil.setVisibility(View.GONE);
riwayatHaid.setVisibility(View.GONE);
btnHitung.setVisibility(View.GONE);
sp = new SessionPreference(this);
//inisialisasi tanggal
ed_tglawal.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
DatePickerFragment datePickerFragment = new DatePickerFragment();
datePickerFragment.show(getSupportFragmentManager(), "data");
datePickerFragment.setOnDateClickListener(new DatePickerFragment.onDateClickListener() {
@Override
public void onDateSet(DatePicker datePicker, int i, int i1, int i2) {
String tahun = ""+datePicker.getYear();
String bulan = ""+(datePicker.getMonth()+1);
String hari = ""+datePicker.getDayOfMonth();
tgAwal = hari+"/"+bulan+"/"+tahun;
awalTgl = (Integer.parseInt(hari)) + (Integer.parseInt(bulan)*31) + (Integer.parseInt(tahun)*360);
sp.setAwal(awalTgl);
ed_tglawal.setText(tgAwal);
}
});
}
});
riwayatHaid.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
startActivity(new Intent(HitungHaidActivity.this, RiwayatHaidActivity.class));
}
});
ed_tglakhir.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
DatePickerFragment datePickerFragment = new DatePickerFragment();
datePickerFragment.show(getSupportFragmentManager(), "data");
datePickerFragment.setOnDateClickListener(new DatePickerFragment.onDateClickListener() {
@Override
public void onDateSet(DatePicker datePicker, int i, int i1, int i2) {
String tahun = ""+datePicker.getYear();
String bulan = ""+(datePicker.getMonth()+1);
String hari = ""+datePicker.getDayOfMonth();
tgAkhir = hari+"/"+bulan+"/"+tahun;
akhirTgl = (Integer.parseInt(hari)) + (Integer.parseInt(bulan)*31) + (Integer.parseInt(tahun)*360);
sp.setAkhir(akhirTgl);
ed_tglakhir.setText(tgAkhir);
}
});
}
});
btnHitung.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if (!sp.getTglAwalo().equals("null")){
tglAwals = sp.getTglAwalo();
}else{
tglAwals = ed_tglawal.getText().toString();
}
String tglAkhirs = ed_tglakhir.getText().toString();
if (tglAwals.isEmpty()){
ed_tglawal.setError("Masukan Tanggal Keluar Darah");
}else if (tglAkhirs.isEmpty()){
ed_tglakhir.setError("Masukan Tanggal Berhenti Darah");
}else {
if (!sp.getTglAwalo().equals("null")){
awal= Integer.parseInt(sp.getTglAwalo());
}else{
awal = sp.getAwal();
}
int akhir = sp.getAkhir();
if (awal > akhir){
Toast.makeText(HitungHaidActivity.this, "Masukan tanggal dengan benar", Toast.LENGTH_SHORT).show();
}else {
sp.setTglAwalo("null");
int penghitungan = akhir - awal;
if (penghitungan < 15) {
hasil.setText("Status kamu saat ini adalah Haid");
} else if (penghitungan > 15) {
hasil.setText("Status kamu saat ini adalah Istihadhah");
}
linearHasil.setVisibility(View.VISIBLE);
}
}
}
});
radioGroup.setOnCheckedChangeListener(new RadioGroup.OnCheckedChangeListener() {
@Override
public void onCheckedChanged(RadioGroup group, int checkedId) {
switch (checkedId){
case R.id.rbtniya:
judulTglAwal.setText("Masukan Kembali Tanggal Keluar");
judulTglAkhir.setText("Masukan Kembali Tanggal Berakhir Darah");
sp.setAwalTgl(ed_tglawal.getText().toString());
sp.setAkhirTgl(ed_tglakhir.getText().toString());
sp.setTglAwalo(String.valueOf(awalTgl));
ed_tglawal.setText("");
ed_tglakhir.setText("");
rbtntiya.setChecked(false);
btnHitung.setVisibility(View.GONE);
riwayatHaid.setVisibility(View.VISIBLE);
//tambah input
Call<List<ModelInputHaid>> tambah = Api.service().getInputHaid(sp.getLogin(),
sp.getAwalTgl(), sp.getAkhirTgl(), "1");
tambah.enqueue(new Callback<List<ModelInputHaid>>() {
@Override
public void onResponse(Call<List<ModelInputHaid>> call, Response<List<ModelInputHaid>> response) {
}
@Override
public void onFailure(Call<List<ModelInputHaid>> call, Throwable t) {
}
});
hasil.setText("Silahkan Masukan kembali tanggal keluar dan berakhir darah !");
Toast.makeText(HitungHaidActivity.this, "Masukan kembali tanggal keluar dan berhenti darah", Toast.LENGTH_SHORT).show();
break;
case R.id.rbtntidak:
btnHitung.setVisibility(View.VISIBLE);
riwayatHaid.setVisibility(View.GONE);
judulTglAwal.setText("Masukan Kembali Tanggal Keluar");
judulTglAkhir.setText("Masukan Kembali Tanggal Berakhir Darah");
//tambah input
Call<List<ModelInputHaid>> tambah1 = Api.service().getInputHaid(sp.getLogin(),
sp.getAwalTgl(), sp.getAkhirTgl(), "2");
tambah1.enqueue(new Callback<List<ModelInputHaid>>() {
@Override
public void onResponse(Call<List<ModelInputHaid>> call, Response<List<ModelInputHaid>> response) {
}
@Override
public void onFailure(Call<List<ModelInputHaid>> call, Throwable t) {
}
});
sp.setAwalTgl("0");
Toast.makeText(HitungHaidActivity.this, "Silahkan klik Cek Status", Toast.LENGTH_SHORT).show();
break;
}
}
});
if(!sp.getAwalTgl().equals("0")){
judulTglAwal.setText("Masukan Kembali Tanggal Keluar Darah");
judulTglAkhir.setText("Masukan Kembali Tanggal Berhenti Darah");
// ed_tglawal.setText(sp.getAwalTgl());
// ed_tglakhir.setText(sp.getAkhirTgl());
btnHitung.setVisibility(View.GONE);
riwayatHaid.setVisibility(View.VISIBLE);
}
}
} | [
"juliantojuly@gmail.com"
] | juliantojuly@gmail.com |
e75a68ccb24982c9a99951194ef671dbed3fb366 | 02ba1128e78b419470e25bf31d09913cbfa00b60 | /expressadmin/src/main/java/com/xiaoshu/admin/controller/earningsController/VipEarningStatisticsController.java | ffb4ee6c05cbb592d54d2f6f92162f673137938e | [] | no_license | mingzheng861736/expressadmin | c50d735d03e4a1506075dabc456d27abc0dcf4c5 | a281b8c67edf722520ad92e9d0135194e63ded79 | refs/heads/master | 2022-09-11T19:22:38.914508 | 2019-10-04T01:23:39 | 2019-10-04T01:23:39 | 212,711,637 | 1 | 0 | null | 2022-09-01T23:13:50 | 2019-10-04T01:06:51 | JavaScript | UTF-8 | Java | false | false | 5,530 | java | package com.xiaoshu.admin.controller.earningsController;
import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
import com.github.pagehelper.PageHelper;
import com.github.pagehelper.PageInfo;
import com.xiaoshu.admin.entity.TbFundInfo;
import com.xiaoshu.admin.entity.TbVip;
import com.xiaoshu.admin.entity.eraningsStatistics.EraningsStatistics;
import com.xiaoshu.admin.service.TbVipService;
import com.xiaoshu.admin.service.eraningsStatistics.EraningsStatisticsService;
import com.xiaoshu.admin.service.impl.TbFundInfoServiceImpl;
import com.xiaoshu.common.annotation.SysLog;
import com.xiaoshu.common.base.PageData;
import org.apache.commons.lang3.StringUtils;
import org.apache.shiro.authz.annotation.RequiresPermissions;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.*;
import javax.servlet.ServletRequest;
import java.text.ParseException;
import java.util.List;
/**
* @author sunzhenpeng
* @data 2019/9/2
* @description 会员收益统计 前端控制器
*/
@Controller
@RequestMapping("/admin/vipEarningStatistics")
public class VipEarningStatisticsController {
@Autowired
private TbVipService tbVipService;
@Autowired
private EraningsStatisticsService eraningsStatisticsService;
@Autowired
private TbFundInfoServiceImpl tbFundInfoService;
private static String tb_addTime = "";
private static String tb_account = "";
/**
* 会员收益列表页面入口
* @author sunzhenpeng
* @date 2019/9/3
* @param model
* @return java.lang.String
*/
@RequiresPermissions("admin:vipEarningStatistics:inlet")
@GetMapping("inlet")
@SysLog("跳转会员收益列表页面")
public String list(Model model){
//获取所有的vip等级
List<TbVip> list = (List<TbVip>)tbVipService.list(new QueryWrapper<TbVip>());
model.addAttribute("vipUserList",list);
return "admin/earningsStatistics/vipEarningsStatistics";
}
/**
* 查询统计计算会员收益
* @author sunzhenpeng
* @date 2019/9/2
* @param page
* @param limit
* @param eraningsStatistics
* @return com.xiaoshu.common.base.PageData<java.util.Map<java.lang.String,java.lang.Object>>
*/
//@RequiresPermissions("sys:earning:list")
@PostMapping("lists")
@ResponseBody
public PageData<EraningsStatistics> list (@RequestParam(value = "page",defaultValue = "1")Integer page,ServletRequest request,
@RequestParam(value = "limit",defaultValue = "10")Integer limit,EraningsStatistics eraningsStatistics){
PageHelper.startPage(page,limit,true);
//先获取vipUser列表
List<EraningsStatistics> eraningsStatisticsList = eraningsStatisticsService.vipUserEraningsList(eraningsStatistics);
PageInfo<EraningsStatistics> pageInfo = new PageInfo<>(eraningsStatisticsList);
pageInfo.getList();
PageData<EraningsStatistics> userPageData = new PageData<>();
/*IPage<EraningsStatistics> userPage = eraningsStatisticsService.page(new Page<>(page,limit),null);*/
userPageData.setCount(pageInfo.getTotal());
userPageData.setData(pageInfo.getList());
return userPageData;
}
/**
* 会员收益明细页面入口
* @author sunzhenpeng
* @date 2019/9/3
* @return java.lang.String
*/
@GetMapping("detailInlet")
@SysLog("会员收益明细页面")
public String detail(String addTime,String account,Model model){
model.addAttribute("addTime",addTime);
model.addAttribute("account",account);
tb_addTime = addTime+" 00:00:00";
tb_account = account;
return "admin/earningsStatistics/EraningsDetail";
}
/**
* 会员收益明细列表
* @author sunzhenpeng
* @date 2019/9/4
* @param page
* @param limit
* @return com.xiaoshu.common.base.PageData<com.xiaoshu.admin.entity.eraningsStatistics.EraningsStatistics>
*/
@PostMapping("detailList")
@ResponseBody
public PageData<TbFundInfo> detailList (@RequestParam(value = "page",defaultValue = "1")Integer page,ServletRequest request,
@RequestParam(value = "limit",defaultValue = "10")Integer limit,TbFundInfo tbFundInfo) throws ParseException {
PageHelper.startPage(page,limit,true);
/*if(StringUtils.isNotEmpty(tb_addTime)){
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
tbFundInfo.setStartDate(sdf.format(sdf.parse(tb_addTime)));
Calendar calendar = new GregorianCalendar();
calendar.setTime(sdf.parse(tb_addTime));
calendar.add(calendar.DATE,1);//把日期往后增加一天.整数往后推,负数往前移动
tbFundInfo.setEndDate(sdf.format(calendar.getTime()));
}*/
if(StringUtils.isNotEmpty(tb_account))tbFundInfo.setAccount(tb_account);
//先获取vipUser列表
List<TbFundInfo> tbFundInfoList = tbFundInfoService.getTbFundInfoList(tbFundInfo);
PageInfo<TbFundInfo> pageInfo = new PageInfo<>(tbFundInfoList);
pageInfo.getList();
PageData<TbFundInfo> userPageData = new PageData<>();
userPageData.setCount(pageInfo.getTotal());
userPageData.setData(pageInfo.getList());
return userPageData;
}
}
| [
"861736340@qq.com"
] | 861736340@qq.com |
4b343c9f6a12887f6374068f47563f4fa87cad34 | 5c10e4c314970a7284ed46d853e32192d630acd3 | /src/Singleton.java | 083f90ec93931012099d00526b2dbc17a3c86c05 | [] | no_license | vagif-lalaev/Algaritm-Test | 87208cd289bb75c0e04ada49c018ff6633416fc7 | d6358181d30030d5d406426bb57a19b5655df26e | refs/heads/master | 2020-05-17T20:56:25.278847 | 2019-05-12T19:33:55 | 2019-05-12T19:33:55 | 183,958,325 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 232 | java | public class Singleton {
private static class Holder {
private static Singleton INSTANCE = null;
}
public Singleton() {
}
public static Singleton getInstance() {
return Holder.INSTANCE;
}
}
| [
"vagif-lalaev@yandex.ru"
] | vagif-lalaev@yandex.ru |
b717592517cb1db3e98f9a87819d2ee9bde18832 | b213473cceedd14f4622d8069c7b7f3d43417058 | /gov/shdrc/home/service/impl/MessageAlertManagerImpl.java | ed500a82ee0ce4e680bcae153dabbf6edd411261 | [] | no_license | sandhiyasek/test_project | 2224466f20a3ce3df97bc376ef11841ba72a94a0 | 0df06eca02651f02ede4da4b28441a7454cc59d3 | refs/heads/master | 2021-01-20T02:44:21.725203 | 2017-04-26T09:41:09 | 2017-04-26T09:41:09 | 89,449,965 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 657 | java | /**
*
*/
package gov.shdrc.home.service.impl;
import gov.shdrc.home.dao.IMessageAlertDAO;
import gov.shdrc.home.service.IMessageAlertManager;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
@Service
public class MessageAlertManagerImpl implements IMessageAlertManager {
@Autowired(required=true)
IMessageAlertDAO messageAlertDAO;
public boolean insertMessageAlert(String[] directorateIds,String sendSMS,String message,String messageType,String userName,String newsHeader){
return messageAlertDAO.insertMessageAlert(directorateIds,sendSMS,message,messageType,userName,newsHeader);
}
}
| [
"sandhiya.sekar@accenture.com"
] | sandhiya.sekar@accenture.com |
bcbcd2dda7514d362ea717311d09e18b78b5dc0c | 2cd64269df4137e0a39e8e67063ff3bd44d72f1b | /commercetools/commercetools-sdk-java-history/src/main/java-generated/com/commercetools/history/models/change/AddDiscountCodeChangeBuilder.java | cb6d09e9c60dde9297d4552cb7a8ac21b626153a | [
"Apache-2.0",
"GPL-2.0-only",
"EPL-2.0",
"CDDL-1.0",
"MIT",
"BSD-3-Clause",
"Classpath-exception-2.0"
] | permissive | commercetools/commercetools-sdk-java-v2 | a8703f5f8c5dde6cc3ebe4619c892cccfcf71cb8 | 76d5065566ff37d365c28829b8137cbc48f14df1 | refs/heads/main | 2023-08-14T16:16:38.709763 | 2023-08-14T11:58:19 | 2023-08-14T11:58:19 | 206,558,937 | 29 | 13 | Apache-2.0 | 2023-09-14T12:30:00 | 2019-09-05T12:30:27 | Java | UTF-8 | Java | false | false | 4,192 | java |
package com.commercetools.history.models.change;
import java.util.*;
import java.util.function.Function;
import io.vrap.rmf.base.client.Builder;
import io.vrap.rmf.base.client.utils.Generated;
/**
* AddDiscountCodeChangeBuilder
* <hr>
* Example to create an instance using the builder pattern
* <div class=code-example>
* <pre><code class='java'>
* AddDiscountCodeChange addDiscountCodeChange = AddDiscountCodeChange.builder()
* .change("{change}")
* .nextValue(nextValueBuilder -> nextValueBuilder)
* .build()
* </code></pre>
* </div>
*/
@Generated(value = "io.vrap.rmf.codegen.rendering.CoreCodeGenerator", comments = "https://github.com/commercetools/rmf-codegen")
public class AddDiscountCodeChangeBuilder implements Builder<AddDiscountCodeChange> {
private String change;
private com.commercetools.history.models.common.DiscountCodeInfo nextValue;
/**
* set the value to the change
* @param change value to be set
* @return Builder
*/
public AddDiscountCodeChangeBuilder change(final String change) {
this.change = change;
return this;
}
/**
* <p>Value after the change.</p>
* @param builder function to build the nextValue value
* @return Builder
*/
public AddDiscountCodeChangeBuilder nextValue(
Function<com.commercetools.history.models.common.DiscountCodeInfoBuilder, com.commercetools.history.models.common.DiscountCodeInfoBuilder> builder) {
this.nextValue = builder.apply(com.commercetools.history.models.common.DiscountCodeInfoBuilder.of()).build();
return this;
}
/**
* <p>Value after the change.</p>
* @param builder function to build the nextValue value
* @return Builder
*/
public AddDiscountCodeChangeBuilder withNextValue(
Function<com.commercetools.history.models.common.DiscountCodeInfoBuilder, com.commercetools.history.models.common.DiscountCodeInfo> builder) {
this.nextValue = builder.apply(com.commercetools.history.models.common.DiscountCodeInfoBuilder.of());
return this;
}
/**
* <p>Value after the change.</p>
* @param nextValue value to be set
* @return Builder
*/
public AddDiscountCodeChangeBuilder nextValue(
final com.commercetools.history.models.common.DiscountCodeInfo nextValue) {
this.nextValue = nextValue;
return this;
}
/**
* value of change}
* @return change
*/
public String getChange() {
return this.change;
}
/**
* <p>Value after the change.</p>
* @return nextValue
*/
public com.commercetools.history.models.common.DiscountCodeInfo getNextValue() {
return this.nextValue;
}
/**
* builds AddDiscountCodeChange with checking for non-null required values
* @return AddDiscountCodeChange
*/
public AddDiscountCodeChange build() {
Objects.requireNonNull(change, AddDiscountCodeChange.class + ": change is missing");
Objects.requireNonNull(nextValue, AddDiscountCodeChange.class + ": nextValue is missing");
return new AddDiscountCodeChangeImpl(change, nextValue);
}
/**
* builds AddDiscountCodeChange without checking for non-null required values
* @return AddDiscountCodeChange
*/
public AddDiscountCodeChange buildUnchecked() {
return new AddDiscountCodeChangeImpl(change, nextValue);
}
/**
* factory method for an instance of AddDiscountCodeChangeBuilder
* @return builder
*/
public static AddDiscountCodeChangeBuilder of() {
return new AddDiscountCodeChangeBuilder();
}
/**
* create builder for AddDiscountCodeChange instance
* @param template instance with prefilled values for the builder
* @return builder
*/
public static AddDiscountCodeChangeBuilder of(final AddDiscountCodeChange template) {
AddDiscountCodeChangeBuilder builder = new AddDiscountCodeChangeBuilder();
builder.change = template.getChange();
builder.nextValue = template.getNextValue();
return builder;
}
}
| [
"automation@commercetools.com"
] | automation@commercetools.com |
e07cefc3ee834e6d4201167615017972c8a30ec4 | acfeef411aa75ff1bbf9a4a1a7c8b9fafcb23666 | /app/src/test/java/xyz/megundo/busara/testutils/TestUtils.java | 9ab7a962c2a910ad32720e559d25496f28ea7403 | [] | no_license | chrissiewasabi/iudicium | b18c93cac9327241f87f46451583f1d292e6b91a | f3810bcdb07a8df809a25a75e2ffa3ca8dd7794c | refs/heads/master | 2020-03-19T17:15:11.334640 | 2018-11-22T10:59:47 | 2018-11-22T10:59:47 | 136,750,319 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,969 | java | package xyz.megundo.busara.testutils;
import com.squareup.moshi.Moshi;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.lang.reflect.Type;
import xyz.megundo.busara.models.AdapterFactory;
public class TestUtils {
private static final Moshi TEST_MOSHI = initializeMoshi();
private static TestUtils INSTANCE = new TestUtils();
private TestUtils() {
}
public static <T> T loadJson(String path, Type type) {
try {
String json = getFileString(path);
//noinspection unchecked
return (T) TEST_MOSHI.adapter(type).fromJson(json);
} catch (IOException e) {
throw new IllegalArgumentException("Could not deserialize: " + path + " into type: " + type);
}
}
public static <T> T loadJson(String path, Class<T> clazz) {
try {
String json = getFileString(path);
//noinspection unchecked
return (T) TEST_MOSHI.adapter(clazz).fromJson(json);
} catch (IOException e) {
throw new IllegalArgumentException("Could not deserialize: " + path + " into class: " + clazz);
}
}
private static String getFileString(String path) {
try {
StringBuilder sb = new StringBuilder();
BufferedReader reader = new BufferedReader(new InputStreamReader(
INSTANCE.getClass().getClassLoader().getResourceAsStream(path)));
String line;
while ((line = reader.readLine()) != null) {
sb.append(line);
}
return sb.toString();
} catch (IOException e) {
throw new IllegalArgumentException("Could not read from resource at: " + path);
}
}
private static Moshi initializeMoshi() {
Moshi.Builder builder = new Moshi.Builder();
builder.add(AdapterFactory.create());
return builder.build();
}
}
| [
"christinewasabi@gmail.com"
] | christinewasabi@gmail.com |
053eee725942665376a57d620aa87bcf34154996 | bde07523420fd3a948ab5717714ab33fd5728c3f | /src/GUI/form_guru.java | 9aca5d101bdd048975664989f6a08fa9fcee3607 | [] | no_license | Richie-Z/data-siswa | 32a6854973b08cccce55a42e209d9e6dbbdfd959 | 64a9d2e867fd704530bc578518b3a44b74f9b9d3 | refs/heads/master | 2023-08-03T09:48:32.247157 | 2021-09-16T17:16:15 | 2021-09-16T17:16:15 | 407,251,933 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 40,473 | 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 GUI;
import java.awt.HeadlessException;
import java.sql.ResultSet;
import java.sql.SQLException;
import javax.swing.JOptionPane;
import javax.swing.table.DefaultTableModel;
import java.awt.Color;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.Statement;
/**
*
* @author Richie
*/
public class form_guru extends javax.swing.JFrame {
private Connection con = null;
private Statement stat = null;
private PreparedStatement pst =null;
private ResultSet res = null;
private String sql = null;
String username = UserSession.getU_username();
private void kosongkan(){
txtkode.setText("");
txtnama.setText("");
txttelp.setText("");
txtalamat.setText("");
}
public form_guru() {
initComponents();
setTitle("Form Guru - Aplikasi Data Siswa");
koneksi DB = new koneksi();
DB.config();
con = DB.con;
stat = DB.stm;
matacombo();
agamacombo();
tabel();
kosongkan();
Btninfolgt.setText("Hello," +username);
jButton1.setBorderPainted(false);
jLabel9.setForeground(new Color(0,0,0,80));
jLabel12.setForeground(new Color(0,0,0,80));
}
private void hapusdata(){
try {
String sql="DELETE FROM guru WHERE "+"nip='"+txtkode.getText()+"'" ;
Statement stm = con.createStatement();
stm.executeUpdate(sql);
JOptionPane.showMessageDialog(null, "Berhasil");
this.setVisible(true);
setVisible(true);
}catch (Exception e) {
JOptionPane.showMessageDialog(this, "pesan salah : "+e);
}
kosongkan();
tabel();
}
private void tabel(){
DefaultTableModel t= new DefaultTableModel();
t.addColumn("NIP");
t.addColumn("Nama Guru");
t.addColumn("Jenis Kelamin");
t.addColumn("Agama");
t.addColumn("Telepon");
t.addColumn("Alamat");
t.addColumn("Mata Pelajaran");
tbl.setModel(t);
try{
res=stat.executeQuery("SELECT * FROM guru left join agama on agama.kode_agama=guru.kode_agama left join mata_pelajaran on mata_pelajaran.kode_matapelajaran = guru.kode_matapelajaran");
while (res.next()) {
t.addRow(new Object[]{
res.getString("nip"),
res.getString("nama_guru"),
res.getString("jenis_kelamin"),
res.getString("kode_agama"),
res.getString("telepon"),
res.getString("alamat"),
res.getString("kode_matapelajaran")
});
}
}catch (Exception e) {
JOptionPane.showMessageDialog(rootPane, e);
}
}
private void agamacombo(){
try{
String sql="select * from agama";
pst = con.prepareStatement(sql);
res = pst.executeQuery();
while(res.next()){
cmbagama.addItem(res.getString("kode_agama"));
}
}catch (Exception e){
JOptionPane.showMessageDialog(rootPane, e);
}
}
private void matacombo(){
try{
String sql="select * from mata_pelajaran";
pst = con.prepareStatement(sql);
res = pst.executeQuery();
while(res.next()){
cmbmatpel.addItem(res.getString("kode_matapelajaran"));
}
}catch (Exception e){
JOptionPane.showMessageDialog(rootPane, e);
}
}
@SuppressWarnings("unchecked")
// <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents
private void initComponents() {
jPanel1 = new javax.swing.JPanel();
panel3 = new javax.swing.JPanel();
jLabel1 = new javax.swing.JLabel();
jPanel2 = new javax.swing.JPanel();
jButton1 = new javax.swing.JButton();
Btninfolgt = new javax.swing.JButton();
jPanel3 = new javax.swing.JPanel();
jLabel2 = new javax.swing.JLabel();
jScrollPane3 = new javax.swing.JScrollPane();
jPanel4 = new javax.swing.JPanel();
jLabel3 = new javax.swing.JLabel();
jLabel4 = new javax.swing.JLabel();
jLabel5 = new javax.swing.JLabel();
jLabel6 = new javax.swing.JLabel();
jLabel7 = new javax.swing.JLabel();
jLabel8 = new javax.swing.JLabel();
jLabel10 = new javax.swing.JLabel();
txtkode = new javax.swing.JTextField();
txtnama = new javax.swing.JTextField();
cmbkelamin = new javax.swing.JComboBox<>();
jLabel9 = new javax.swing.JLabel();
cmbagama = new javax.swing.JComboBox<>();
jLabel12 = new javax.swing.JLabel();
txttelp = new javax.swing.JTextField();
txtalamat = new javax.swing.JTextField();
cmbmatpel = new javax.swing.JComboBox<>();
jLabel13 = new javax.swing.JLabel();
btncari = new javax.swing.JButton();
btntambah = new javax.swing.JButton();
btnedit = new javax.swing.JButton();
btnhapus = new javax.swing.JButton();
btnclear = new javax.swing.JButton();
jScrollPane1 = new javax.swing.JScrollPane();
tbl = new javax.swing.JTable();
jPanel5 = new javax.swing.JPanel();
jLabel11 = new javax.swing.JLabel();
jPanel6 = new javax.swing.JPanel();
jLabel14 = new javax.swing.JLabel();
setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE);
setResizable(false);
jPanel1.setBackground(new java.awt.Color(0, 0, 0));
jPanel1.setLayout(new org.netbeans.lib.awtextra.AbsoluteLayout());
panel3.setBackground(new java.awt.Color(255, 255, 255));
jLabel1.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel1.setHorizontalAlignment(javax.swing.SwingConstants.CENTER);
jLabel1.setText("Logout");
jLabel1.setCursor(new java.awt.Cursor(java.awt.Cursor.HAND_CURSOR));
jLabel1.addMouseListener(new java.awt.event.MouseAdapter() {
public void mouseClicked(java.awt.event.MouseEvent evt) {
jLabel1MouseClicked(evt);
}
public void mouseEntered(java.awt.event.MouseEvent evt) {
jLabel1MouseEntered(evt);
}
public void mouseExited(java.awt.event.MouseEvent evt) {
jLabel1MouseExited(evt);
}
});
javax.swing.GroupLayout panel3Layout = new javax.swing.GroupLayout(panel3);
panel3.setLayout(panel3Layout);
panel3Layout.setHorizontalGroup(
panel3Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jLabel1, javax.swing.GroupLayout.DEFAULT_SIZE, 80, Short.MAX_VALUE)
);
panel3Layout.setVerticalGroup(
panel3Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(panel3Layout.createSequentialGroup()
.addComponent(jLabel1)
.addGap(0, 0, Short.MAX_VALUE))
);
jPanel1.add(panel3, new org.netbeans.lib.awtextra.AbsoluteConstraints(680, 20, 80, 0));
jPanel2.setBackground(new java.awt.Color(255, 255, 255));
jButton1.setBackground(new java.awt.Color(255, 255, 255));
jButton1.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jButton1.setText("Kembali");
jButton1.setBorder(null);
jButton1.setBorderPainted(false);
jButton1.setCursor(new java.awt.Cursor(java.awt.Cursor.HAND_CURSOR));
jButton1.addMouseListener(new java.awt.event.MouseAdapter() {
public void mouseClicked(java.awt.event.MouseEvent evt) {
jButton1MouseClicked(evt);
}
});
Btninfolgt.setText("hello");
Btninfolgt.setBorder(null);
Btninfolgt.setBorderPainted(false);
Btninfolgt.setCursor(new java.awt.Cursor(java.awt.Cursor.HAND_CURSOR));
Btninfolgt.addMouseListener(new java.awt.event.MouseAdapter() {
public void mouseEntered(java.awt.event.MouseEvent evt) {
BtninfolgtMouseEntered(evt);
}
public void mouseExited(java.awt.event.MouseEvent evt) {
BtninfolgtMouseExited(evt);
}
});
javax.swing.GroupLayout jPanel2Layout = new javax.swing.GroupLayout(jPanel2);
jPanel2.setLayout(jPanel2Layout);
jPanel2Layout.setHorizontalGroup(
jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel2Layout.createSequentialGroup()
.addContainerGap()
.addComponent(jButton1, javax.swing.GroupLayout.PREFERRED_SIZE, 53, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, 618, Short.MAX_VALUE)
.addComponent(Btninfolgt, javax.swing.GroupLayout.PREFERRED_SIZE, 89, javax.swing.GroupLayout.PREFERRED_SIZE)
.addContainerGap())
);
jPanel2Layout.setVerticalGroup(
jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel2Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jButton1, javax.swing.GroupLayout.PREFERRED_SIZE, 20, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(Btninfolgt, javax.swing.GroupLayout.PREFERRED_SIZE, 20, javax.swing.GroupLayout.PREFERRED_SIZE))
);
jPanel1.add(jPanel2, new org.netbeans.lib.awtextra.AbsoluteConstraints(0, 0, 780, -1));
jPanel3.setBackground(new java.awt.Color(0, 0, 0));
jPanel3.setForeground(new java.awt.Color(51, 51, 51));
jLabel2.setBackground(new java.awt.Color(255, 255, 255));
jLabel2.setFont(new java.awt.Font("Segoe UI", 1, 36)); // NOI18N
jLabel2.setForeground(new java.awt.Color(255, 255, 255));
jLabel2.setHorizontalAlignment(javax.swing.SwingConstants.CENTER);
jLabel2.setText("FORM GURU");
javax.swing.GroupLayout jPanel3Layout = new javax.swing.GroupLayout(jPanel3);
jPanel3.setLayout(jPanel3Layout);
jPanel3Layout.setHorizontalGroup(
jPanel3Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jLabel2, javax.swing.GroupLayout.PREFERRED_SIZE, 770, javax.swing.GroupLayout.PREFERRED_SIZE)
);
jPanel3Layout.setVerticalGroup(
jPanel3Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel3Layout.createSequentialGroup()
.addComponent(jLabel2, javax.swing.GroupLayout.PREFERRED_SIZE, 77, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(0, 3, Short.MAX_VALUE))
);
jPanel1.add(jPanel3, new org.netbeans.lib.awtextra.AbsoluteConstraints(0, 20, 770, 80));
jScrollPane3.setHorizontalScrollBarPolicy(javax.swing.ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
jScrollPane3.setVerticalScrollBarPolicy(javax.swing.ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
jPanel4.setBackground(new java.awt.Color(255, 255, 255));
jLabel3.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel3.setText("NIP");
jLabel4.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel4.setText("Nama Guru");
jLabel5.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel5.setText("Jenis Kelamin");
jLabel6.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel6.setText("Agama");
jLabel7.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel7.setText("Telepon");
jLabel8.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel8.setText("Mata Pelajaran");
jLabel10.setFont(new java.awt.Font("Segoe UI", 0, 12)); // NOI18N
jLabel10.setText("Alamat");
cmbkelamin.setModel(new javax.swing.DefaultComboBoxModel<>(new String[] { "L", "P" }));
jLabel9.setFont(new java.awt.Font("Segoe UI", 2, 10)); // NOI18N
jLabel9.setText("*L=Laki-Laki P=Perempuan");
cmbagama.addMouseListener(new java.awt.event.MouseAdapter() {
public void mousePressed(java.awt.event.MouseEvent evt) {
cmbagamaMousePressed(evt);
}
public void mouseReleased(java.awt.event.MouseEvent evt) {
cmbagamaMouseReleased(evt);
}
});
cmbagama.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
cmbagamaActionPerformed(evt);
}
});
jLabel12.setFont(new java.awt.Font("Segoe UI", 2, 10)); // NOI18N
jLabel12.setText("*Tahan untuk melihat Info");
cmbmatpel.addMouseListener(new java.awt.event.MouseAdapter() {
public void mousePressed(java.awt.event.MouseEvent evt) {
cmbmatpelMousePressed(evt);
}
public void mouseReleased(java.awt.event.MouseEvent evt) {
cmbmatpelMouseReleased(evt);
}
});
jLabel13.setFont(new java.awt.Font("Segoe UI", 2, 10)); // NOI18N
jLabel13.setText("*Tahan untuk melihat Info");
btncari.setText("Cari");
btncari.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btncariActionPerformed(evt);
}
});
btntambah.setText("Tambah");
btntambah.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btntambahActionPerformed(evt);
}
});
btnedit.setText("Simpan");
btnedit.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btneditActionPerformed(evt);
}
});
btnhapus.setText("Hapus");
btnhapus.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btnhapusActionPerformed(evt);
}
});
btnclear.setText("Clear");
btnclear.addActionListener(new java.awt.event.ActionListener() {
public void actionPerformed(java.awt.event.ActionEvent evt) {
btnclearActionPerformed(evt);
}
});
tbl.setModel(new javax.swing.table.DefaultTableModel(
new Object [][] {
{null, null, null, null},
{null, null, null, null},
{null, null, null, null},
{null, null, null, null}
},
new String [] {
"Title 1", "Title 2", "Title 3", "Title 4"
}
));
tbl.addMouseListener(new java.awt.event.MouseAdapter() {
public void mouseClicked(java.awt.event.MouseEvent evt) {
tblMouseClicked(evt);
}
});
jScrollPane1.setViewportView(tbl);
jPanel5.setBackground(new java.awt.Color(255, 255, 255));
jLabel11.setFont(new java.awt.Font("Segoe UI", 2, 11)); // NOI18N
jLabel11.setHorizontalAlignment(javax.swing.SwingConstants.CENTER);
jLabel11.setText("<html> <b>Info!</b><br>1=Kristen <br> 2=Muslim <br> 3=Katolik</html>");
javax.swing.GroupLayout jPanel5Layout = new javax.swing.GroupLayout(jPanel5);
jPanel5.setLayout(jPanel5Layout);
jPanel5Layout.setHorizontalGroup(
jPanel5Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel5Layout.createSequentialGroup()
.addContainerGap()
.addComponent(jLabel11, javax.swing.GroupLayout.DEFAULT_SIZE, 88, Short.MAX_VALUE))
);
jPanel5Layout.setVerticalGroup(
jPanel5Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jLabel11, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
);
jPanel6.setBackground(new java.awt.Color(255, 255, 255));
jLabel14.setFont(new java.awt.Font("Segoe UI", 2, 11)); // NOI18N
jLabel14.setHorizontalAlignment(javax.swing.SwingConstants.CENTER);
jLabel14.setText("<html> <b>Info!</b><br>1=Matematika <br> 2=PKN <br> 3=Bindo</html>");
javax.swing.GroupLayout jPanel6Layout = new javax.swing.GroupLayout(jPanel6);
jPanel6.setLayout(jPanel6Layout);
jPanel6Layout.setHorizontalGroup(
jPanel6Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel6Layout.createSequentialGroup()
.addContainerGap()
.addComponent(jLabel14, javax.swing.GroupLayout.DEFAULT_SIZE, 88, Short.MAX_VALUE))
);
jPanel6Layout.setVerticalGroup(
jPanel6Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel6Layout.createSequentialGroup()
.addComponent(jLabel14)
.addContainerGap(javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE))
);
javax.swing.GroupLayout jPanel4Layout = new javax.swing.GroupLayout(jPanel4);
jPanel4.setLayout(jPanel4Layout);
jPanel4Layout.setHorizontalGroup(
jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel4Layout.createSequentialGroup()
.addContainerGap(javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel4Layout.createSequentialGroup()
.addComponent(btntambah, javax.swing.GroupLayout.PREFERRED_SIZE, 89, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.UNRELATED)
.addComponent(btnedit, javax.swing.GroupLayout.PREFERRED_SIZE, 89, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.UNRELATED)
.addComponent(btnhapus, javax.swing.GroupLayout.PREFERRED_SIZE, 89, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.UNRELATED)
.addComponent(btnclear, javax.swing.GroupLayout.PREFERRED_SIZE, 89, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel4Layout.createSequentialGroup()
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING, false)
.addGroup(jPanel4Layout.createSequentialGroup()
.addComponent(jLabel4, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addComponent(txtnama, javax.swing.GroupLayout.PREFERRED_SIZE, 220, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGroup(jPanel4Layout.createSequentialGroup()
.addComponent(jLabel5, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addComponent(cmbkelamin, javax.swing.GroupLayout.PREFERRED_SIZE, 58, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addComponent(jLabel9))
.addGroup(jPanel4Layout.createSequentialGroup()
.addComponent(jLabel3, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addComponent(txtkode, javax.swing.GroupLayout.PREFERRED_SIZE, 129, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(18, 18, 18)
.addComponent(btncari, javax.swing.GroupLayout.PREFERRED_SIZE, 73, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGroup(jPanel4Layout.createSequentialGroup()
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jLabel6, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING, false)
.addComponent(jLabel7, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel8, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel10, javax.swing.GroupLayout.PREFERRED_SIZE, 123, javax.swing.GroupLayout.PREFERRED_SIZE)))
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING, false)
.addComponent(txttelp, javax.swing.GroupLayout.PREFERRED_SIZE, 220, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGroup(jPanel4Layout.createSequentialGroup()
.addComponent(cmbagama, javax.swing.GroupLayout.PREFERRED_SIZE, 94, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
.addComponent(jLabel12)))
.addComponent(txtalamat, javax.swing.GroupLayout.PREFERRED_SIZE, 220, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGroup(jPanel4Layout.createSequentialGroup()
.addComponent(cmbmatpel, javax.swing.GroupLayout.PREFERRED_SIZE, 93, javax.swing.GroupLayout.PREFERRED_SIZE)
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addComponent(jLabel13)))))
.addGap(8, 8, 8)))
.addGap(29, 29, 29)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jPanel5, javax.swing.GroupLayout.Alignment.TRAILING, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jPanel6, javax.swing.GroupLayout.Alignment.TRAILING, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(49, 49, 49))
.addGroup(jPanel4Layout.createSequentialGroup()
.addGap(52, 52, 52)
.addComponent(jScrollPane1, javax.swing.GroupLayout.PREFERRED_SIZE, 553, javax.swing.GroupLayout.PREFERRED_SIZE)
.addContainerGap(97, Short.MAX_VALUE))
);
jPanel4Layout.setVerticalGroup(
jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel4Layout.createSequentialGroup()
.addGap(36, 36, 36)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel4Layout.createSequentialGroup()
.addGap(6, 6, 6)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel3)
.addComponent(txtkode, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)))
.addComponent(btncari, javax.swing.GroupLayout.Alignment.TRAILING))
.addGap(8, 8, 8)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel4)
.addComponent(txtnama, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE))
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.TRAILING)
.addComponent(jLabel5)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(cmbkelamin, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel9)))
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGroup(jPanel4Layout.createSequentialGroup()
.addGap(18, 18, 18)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel6)
.addComponent(cmbagama, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel12)))
.addGroup(javax.swing.GroupLayout.Alignment.TRAILING, jPanel4Layout.createSequentialGroup()
.addPreferredGap(javax.swing.LayoutStyle.ComponentPlacement.RELATED)
.addComponent(jPanel5, javax.swing.GroupLayout.PREFERRED_SIZE, 1, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(14, 14, 14)))
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel7)
.addComponent(txttelp, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(18, 18, 18)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(jLabel10)
.addComponent(txtalamat, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE))
.addGap(8, 8, 8)
.addComponent(jPanel6, javax.swing.GroupLayout.PREFERRED_SIZE, 0, javax.swing.GroupLayout.PREFERRED_SIZE)
.addGap(10, 10, 10)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jLabel8)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(cmbmatpel, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)
.addComponent(jLabel13)))
.addGap(36, 36, 36)
.addGroup(jPanel4Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE)
.addComponent(btnclear)
.addComponent(btnhapus)
.addComponent(btnedit)
.addComponent(btntambah))
.addGap(31, 31, 31)
.addComponent(jScrollPane1, javax.swing.GroupLayout.PREFERRED_SIZE, 117, javax.swing.GroupLayout.PREFERRED_SIZE)
.addContainerGap(97, Short.MAX_VALUE))
);
jScrollPane3.setViewportView(jPanel4);
jPanel1.add(jScrollPane3, new org.netbeans.lib.awtextra.AbsoluteConstraints(50, 90, 680, 390));
javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane());
getContentPane().setLayout(layout);
layout.setHorizontalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jPanel1, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
);
layout.setVerticalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addComponent(jPanel1, javax.swing.GroupLayout.Alignment.TRAILING, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)
);
setSize(new java.awt.Dimension(786, 529));
setLocationRelativeTo(null);
}// </editor-fold>//GEN-END:initComponents
private void jLabel1MouseClicked(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_jLabel1MouseClicked
new login().setVisible(true);
dispose();
}//GEN-LAST:event_jLabel1MouseClicked
private void jLabel1MouseEntered(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_jLabel1MouseEntered
jLabel1.setBackground(new java.awt.Color(220,220,220));
panel3.setSize(80,20);
}//GEN-LAST:event_jLabel1MouseEntered
private void jLabel1MouseExited(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_jLabel1MouseExited
jLabel1.setBackground(new java.awt.Color(0,0,0));
panel3.setSize(0,0);
}//GEN-LAST:event_jLabel1MouseExited
private void BtninfolgtMouseEntered(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_BtninfolgtMouseEntered
Btninfolgt.setBackground(Color.CYAN);
panel3.setSize(80,20);
}//GEN-LAST:event_BtninfolgtMouseEntered
private void BtninfolgtMouseExited(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_BtninfolgtMouseExited
Btninfolgt.setBackground(new java.awt.Color(255,255,255));
panel3.setSize(0,0);
}//GEN-LAST:event_BtninfolgtMouseExited
private void jButton1MouseClicked(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_jButton1MouseClicked
new MenuUtama().setVisible(true);
dispose();
}//GEN-LAST:event_jButton1MouseClicked
private void tblMouseClicked(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_tblMouseClicked
int row = tbl.getSelectedRow();
String nip=tbl.getValueAt(row,0).toString();
String nama_guru =tbl.getValueAt(row,1).toString();
String jenis_kelamin =tbl.getValueAt(row,2).toString();
String kode_agama =tbl.getValueAt(row,3).toString();
String telepon =tbl.getValueAt(row,4).toString();
String alamat =tbl.getValueAt(row,5).toString();
String kode_matapelajaran =tbl.getValueAt(row,6).toString();
txtkode.setText(nip);
txtnama.setText(nama_guru);
cmbkelamin.setSelectedItem(jenis_kelamin);
cmbagama.setSelectedItem(kode_agama);
txttelp.setText(telepon);
txtalamat.setText(alamat);
cmbmatpel.setSelectedItem(kode_matapelajaran);
}//GEN-LAST:event_tblMouseClicked
private void btnclearActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btnclearActionPerformed
kosongkan();
}//GEN-LAST:event_btnclearActionPerformed
private void btnhapusActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btnhapusActionPerformed
hapusdata();
}//GEN-LAST:event_btnhapusActionPerformed
private void btneditActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btneditActionPerformed
try {
stat.executeUpdate("UPDATE guru SET "
+ "nip='"+txtkode.getText()+"',"
+ "nama_guru='"+txtnama.getText()+"',"
+ "jenis_kelamin='"+cmbkelamin.getSelectedItem()+"',"
+ "kode_agama='"+(String)cmbagama.getSelectedItem()+"',"
+ "nama_guru='"+txttelp.getText()+"',"
+ "nama_guru='"+txtalamat.getText()+"',"
+ "kode_matapelajaran='"+(String)cmbmatpel.getSelectedItem()+"'"
+ " WHERE " + "nip='"+txtkode.getText()+"'");
kosongkan();
JOptionPane.showMessageDialog(null, "Berhasil Menyimpan Data");
}
catch (SQLException | HeadlessException e) {
JOptionPane.showMessageDialog(null, "Perintah Salah : "+e);
}finally{
tabel();
kosongkan();
}
}//GEN-LAST:event_btneditActionPerformed
private void btntambahActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btntambahActionPerformed
try {
stat.executeUpdate("INSERT INTO guru (`nip`, `nama_guru`, `jenis_kelamin`, `kode_agama`, `telepon`, `alamat`, `kode_matapelajaran`) VALUES ("
+ "'" + txtkode.getText()+"',"
+ "'" + txtnama.getText()+"',"
+ "'" + cmbkelamin.getSelectedItem()+"',"
+ "'" + (String)cmbagama.getSelectedItem()+"',"
+ "'" + txttelp.getText()+"',"
+ "'" + txtalamat.getText()+"',"
+ "'" + (String)cmbmatpel.getSelectedItem()+"')");
kosongkan();
JOptionPane.showMessageDialog(null, "Berhasil Menyimpan Data");
}
catch (SQLException | HeadlessException e) {
JOptionPane.showMessageDialog(null, "Perintah Salah : "+e);
}finally{
tabel();
kosongkan();
}
}//GEN-LAST:event_btntambahActionPerformed
private void btncariActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_btncariActionPerformed
try {
res=stat.executeQuery("select * from guru where "+ "nip='" +txtkode.getText()
+"'" );
while (res.next())
{
txtkode.setText(res.getString("nip"));
txtnama.setText(res.getString("nama_guru"));
cmbkelamin.setSelectedItem(res.getString("jenis_kelamin"));
cmbagama.setSelectedItem(res.getString("kode_agama"));
txttelp.setText(res.getString("telepon"));
txtalamat.setText(res.getString("alamat"));
cmbmatpel.setSelectedItem(res.getString("kode_matapelajaran"));
}
}
catch (Exception e) {
JOptionPane.showMessageDialog(rootPane, e);
}
}//GEN-LAST:event_btncariActionPerformed
private void cmbagamaActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_cmbagamaActionPerformed
// TODO add your handling code here:
}//GEN-LAST:event_cmbagamaActionPerformed
private void cmbagamaMousePressed(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_cmbagamaMousePressed
jPanel5.setSize(87,100);
}//GEN-LAST:event_cmbagamaMousePressed
private void cmbagamaMouseReleased(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_cmbagamaMouseReleased
jPanel5.setSize(0,0);
}//GEN-LAST:event_cmbagamaMouseReleased
private void cmbmatpelMousePressed(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_cmbmatpelMousePressed
jPanel6.setSize(87,100);
}//GEN-LAST:event_cmbmatpelMousePressed
private void cmbmatpelMouseReleased(java.awt.event.MouseEvent evt) {//GEN-FIRST:event_cmbmatpelMouseReleased
jPanel6.setSize(0,0);
}//GEN-LAST:event_cmbmatpelMouseReleased
/**
* @param args the command line arguments
*/
public static void main(String args[]) {
/* Set the Nimbus look and feel */
//<editor-fold defaultstate="collapsed" desc=" Look and feel setting code (optional) ">
/* If Nimbus (introduced in Java SE 6) is not available, stay with the default look and feel.
* For details see http://download.oracle.com/javase/tutorial/uiswing/lookandfeel/plaf.html
*/
try {
for (javax.swing.UIManager.LookAndFeelInfo info : javax.swing.UIManager.getInstalledLookAndFeels()) {
if ("Nimbus".equals(info.getName())) {
javax.swing.UIManager.setLookAndFeel(info.getClassName());
break;
}
}
} catch (ClassNotFoundException ex) {
java.util.logging.Logger.getLogger(MenuUtama.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (InstantiationException ex) {
java.util.logging.Logger.getLogger(MenuUtama.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (IllegalAccessException ex) {
java.util.logging.Logger.getLogger(MenuUtama.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
} catch (javax.swing.UnsupportedLookAndFeelException ex) {
java.util.logging.Logger.getLogger(MenuUtama.class.getName()).log(java.util.logging.Level.SEVERE, null, ex);
}
//</editor-fold>
/* Create and display the form */
java.awt.EventQueue.invokeLater(new Runnable() {
public void run() {
new form_guru().setVisible(true);
}
});
}
// Variables declaration - do not modify//GEN-BEGIN:variables
private javax.swing.JButton Btninfolgt;
private javax.swing.JButton btncari;
private javax.swing.JButton btnclear;
private javax.swing.JButton btnedit;
private javax.swing.JButton btnhapus;
private javax.swing.JButton btntambah;
private javax.swing.JComboBox<String> cmbagama;
private javax.swing.JComboBox<String> cmbkelamin;
private javax.swing.JComboBox<String> cmbmatpel;
private javax.swing.JButton jButton1;
private javax.swing.JLabel jLabel1;
private javax.swing.JLabel jLabel10;
private javax.swing.JLabel jLabel11;
private javax.swing.JLabel jLabel12;
private javax.swing.JLabel jLabel13;
private javax.swing.JLabel jLabel14;
private javax.swing.JLabel jLabel2;
private javax.swing.JLabel jLabel3;
private javax.swing.JLabel jLabel4;
private javax.swing.JLabel jLabel5;
private javax.swing.JLabel jLabel6;
private javax.swing.JLabel jLabel7;
private javax.swing.JLabel jLabel8;
private javax.swing.JLabel jLabel9;
private javax.swing.JPanel jPanel1;
private javax.swing.JPanel jPanel2;
private javax.swing.JPanel jPanel3;
private javax.swing.JPanel jPanel4;
private javax.swing.JPanel jPanel5;
private javax.swing.JPanel jPanel6;
private javax.swing.JScrollPane jScrollPane1;
private javax.swing.JScrollPane jScrollPane3;
private javax.swing.JPanel panel3;
private javax.swing.JTable tbl;
private javax.swing.JTextField txtalamat;
private javax.swing.JTextField txtkode;
private javax.swing.JTextField txtnama;
private javax.swing.JTextField txttelp;
// End of variables declaration//GEN-END:variables
}
| [
"zakariarichie@yahoo.com"
] | zakariarichie@yahoo.com |
cc1881d6045f5c213dcb971ec6ac97ac4d25890c | 7031bbef40cc39e4002e94c9ca6501627d91a508 | /src/com/misakimei/stone/ASTList.java | 3d02a47f38c44234f8e61bfbabc7fa308ae71be6 | [] | no_license | BonjourMondo/IDE | 41f188dfdbba74a2f535cbec62a9080272668325 | e6b1be9be8ee3a2662320bcb4f975aaa6ee4a6e0 | refs/heads/master | 2020-04-29T02:34:09.477694 | 2019-03-15T07:58:01 | 2019-03-15T07:58:01 | 159,288,170 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,356 | java | package com.misakimei.stone;
import com.misakimei.stone.vm.Code;
import java.util.Iterator;
import java.util.List;
/**
* Created by 18754 on 2016/7/27.
*/
public class ASTList extends ASTree {
protected List<ASTree>children;
public ASTList(List<ASTree>lis){children=lis;}
@Override
public ASTree child(int i) {
return children.get(i);
}
@Override
public int numChildren() {
return children.size();
}
@Override
public Iterator<ASTree> children() {
return children.iterator();
}
@Override
public String toString() {
StringBuilder sb=new StringBuilder();
sb.append('(');
String seq="";
for (ASTree t:children){
sb.append(seq);
seq=" ";
sb.append(t.toString());
}
return sb.append(')').toString();
}
@Override
public String location() {
for (ASTree t:children){
String s=t.location();
if (s!=null){
return s;
}
}
return null;
}
@Override
public Object eval(Environment env) {
throw new StoneExcetion("无法执行 eval "+toString(),this);
}
@Override
public void lookup(Symbols symbol) {
for (ASTree t:this){
t.lookup(symbol);
}
}
}
| [
"jkusjkus89757@163.com"
] | jkusjkus89757@163.com |
45c377fadd8bd912f1c59604583c436651a55b96 | 2c6e2ba03eb71ca45fe690ff6e4586f6e2fa0f17 | /material/apks/banco/sources/ar/com/santander/rio/mbanking/services/soap/beans/Usuario.java | b89370e40b06ec776748079de5faeb0214d95ec8 | [] | no_license | lcrcastor/curso-mobile-2019 | 3088a196139b3e980ed6e09797a0bbf5efb6440b | 7585fccb6437a17c841772c1d9fb0701d6c68042 | refs/heads/master | 2023-04-06T21:46:32.333236 | 2020-10-30T19:47:54 | 2020-10-30T19:47:54 | 308,680,747 | 0 | 1 | null | 2023-03-26T06:57:57 | 2020-10-30T16:08:31 | Java | UTF-8 | Java | false | false | 2,253 | java | package ar.com.santander.rio.mbanking.services.soap.beans;
import android.os.Parcel;
import android.os.Parcelable;
import android.os.Parcelable.Creator;
import com.google.gson.annotations.Expose;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class Usuario implements Parcelable {
public static final Creator<Usuario> CREATOR = new Creator<Usuario>() {
public Usuario createFromParcel(Parcel parcel) {
return new Usuario(parcel);
}
public Usuario[] newArray(int i) {
return new Usuario[i];
}
};
@SerializedName("listaTarjetas")
@Expose
private ListaTarjetas listaTarjetas;
@SerializedName("nombre")
@Expose
private String nombre;
public int describeContents() {
return 0;
}
protected Usuario(Parcel parcel) {
this.nombre = (String) parcel.readValue(String.class.getClassLoader());
this.listaTarjetas = (ListaTarjetas) parcel.readValue(ListaTarjetas.class.getClassLoader());
}
public Usuario(Usuario usuario) {
ListaTarjetas listaTarjetas2 = new ListaTarjetas();
listaTarjetas2.setTarjeta((List) ((ArrayList) usuario.listaTarjetas.getTarjeta()).clone());
this.listaTarjetas = listaTarjetas2;
this.nombre = usuario.nombre;
}
public Usuario() {
}
public Usuario(String str, ListaTarjetas listaTarjetas2) {
this.nombre = str;
this.listaTarjetas = listaTarjetas2;
}
public String getNombre() {
return this.nombre;
}
public void setNombre(String str) {
this.nombre = str;
}
public ListaTarjetas getListaTarjetas() {
return this.listaTarjetas;
}
public List<Tarjeta> getTarjetaSelected() {
return this.listaTarjetas.getTarjetaSelected();
}
public void setFilteredSelectedCards(List<Tarjeta> list) {
this.listaTarjetas.setTarjeta(list);
}
public void setListaTarjetas(ListaTarjetas listaTarjetas2) {
this.listaTarjetas = listaTarjetas2;
}
public void writeToParcel(Parcel parcel, int i) {
parcel.writeValue(this.nombre);
parcel.writeValue(this.listaTarjetas);
}
}
| [
"luis@MARK-2.local"
] | luis@MARK-2.local |
192c0cd92a25da35ae5ffcd9d8124d67e487617c | 871b9757da01db69a4270c9059143e0cfa8a5cdb | /app/src/main/java/com/sharon/trollmastermalayalam/Settings.java | 0bb22abce69c296d04d6b0ae2bab916aa93ef8cf | [] | no_license | SharonAlexander/TrollMasterMalayalam | db5ed234a84e85547aa945ee47be7a075fe5cba9 | f7135eff58c6166b297d1347bd5be9c13201a8da | refs/heads/master | 2021-05-04T12:13:10.871837 | 2019-10-13T17:51:17 | 2019-10-13T17:51:17 | 120,290,175 | 1 | 0 | null | 2019-10-13T17:51:18 | 2018-02-05T10:31:23 | Java | UTF-8 | Java | false | false | 7,258 | java | package com.sharon.trollmastermalayalam;
import android.content.Intent;
import android.content.pm.PackageInfo;
import android.content.pm.PackageManager;
import android.content.res.Resources;
import android.net.Uri;
import android.os.Bundle;
import android.preference.CheckBoxPreference;
import android.preference.Preference;
import android.preference.PreferenceFragment;
import android.support.annotation.Nullable;
import android.support.v7.app.AlertDialog;
import android.support.v7.app.AppCompatDelegate;
import android.widget.Toast;
import com.sharon.trollmastermalayalam.helper.Constants;
import com.sharon.trollmastermalayalam.util.IabHelper;
import com.sharon.trollmastermalayalam.util.IabResult;
import com.sharon.trollmastermalayalam.util.Purchase;
public class Settings extends PreferenceFragment {
static final String ITEM_SKU_SMALL = Constants.SKU_NAME;
// static final String ITEM_SKU_SMALL = "android.test.purchased";
static final String DONATE_SMALL_THANKS = "1";
IabHelper mHelper;
int measureWidth, measureHeight;
Preferences settingspreferences;
IabHelper.OnIabPurchaseFinishedListener mPurchaseFinishedListener
= new IabHelper.OnIabPurchaseFinishedListener() {
public void onIabPurchaseFinished(IabResult result,
Purchase purchase) {
if (purchase != null) {
if (purchase.getSku().contentEquals(ITEM_SKU_SMALL)) {
Toast.makeText(getActivity(), R.string.settings_purchase_success, Toast.LENGTH_SHORT).show();
}
} else if (result.getResponse() == 7) {
Toast.makeText(getActivity(), R.string.settings_purchased_info, Toast.LENGTH_SHORT).show();
} else if (result.getResponse() == 6) {
Toast.makeText(getActivity(), R.string.settings_purchase_cancel, Toast.LENGTH_SHORT).show();
} else if (result.getResponse() == 0) {
Toast.makeText(getActivity(), R.string.settings_purchase_success, Toast.LENGTH_SHORT).show();
}
}
};
@Override
public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
addPreferencesFromResource(R.xml.settings_preferences);
AppCompatDelegate.setCompatVectorFromResourcesEnabled(true);
settingspreferences = new Preferences(getActivity());
getActivity().setTitle("Settings");
measureWidth = Resources.getSystem().getDisplayMetrics().widthPixels;
measureHeight = Resources.getSystem().getDisplayMetrics().heightPixels;
final CheckBoxPreference captioninclude = (CheckBoxPreference) getPreferenceManager().findPreference("captioninclude");
captioninclude.setSummary(settingspreferences.getCheckPref("captioninclude") ? getActivity().getString(R.string.captionsummaryunchecked)
: getActivity().getString(R.string.captionsummarychecked));
captioninclude.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() {
public boolean onPreferenceClick(Preference preference) {
if (captioninclude.isChecked()) {
settingspreferences.putCheckPref("captioninclude", true);
captioninclude.setSummary(getActivity().getString(R.string.captionsummaryunchecked));
} else {
settingspreferences.putCheckPref("captioninclude", false);
captioninclude.setSummary(getActivity().getString(R.string.captionsummarychecked));
}
return false;
}
});
Preference addremove = findPreference("addremove");
addremove.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() {
public boolean onPreferenceClick(Preference preference) {
Intent intent = new Intent(getActivity(), AddRemovePagesActivity.class);
startActivity(intent);
return false;
}
});
Preference rateus = findPreference("rateus");
rateus.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() {
public boolean onPreferenceClick(Preference preference) {
Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse("market://details?id=com.sharon.trollmastermalayalam"));
startActivity(intent);
return false;
}
});
Preference donate = findPreference("donate");
donate.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() {
public boolean onPreferenceClick(Preference preference) {
if (mHelper != null) mHelper.flagEndAsync();
try {
mHelper.launchPurchaseFlow(getActivity(), ITEM_SKU_SMALL, 10001,
mPurchaseFinishedListener, "donateSmallPurchase");
} catch (IabHelper.IabAsyncInProgressException e) {
e.printStackTrace();
}
return false;
}
});
Preference about = findPreference("about");
about.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() {
public boolean onPreferenceClick(Preference preference) {
showAlertAboutUs();
return false;
}
});
}
@Override
public void onStart() {
super.onStart();
String base64EncodedPublicKey = apilicense();
mHelper = new IabHelper(getActivity(), base64EncodedPublicKey);
mHelper.startSetup(new IabHelper.OnIabSetupFinishedListener() {
public void onIabSetupFinished(IabResult result) {
if (!result.isSuccess()) {
} else {
}
}
});
}
@Override
public void onActivityResult(int requestCode, int resultCode,
Intent data) {
if (!mHelper.handleActivityResult(requestCode,
resultCode, data)) {
super.onActivityResult(requestCode, resultCode, data);
} else {
}
}
@Override
public void onDestroy() {
super.onDestroy();
if (mHelper != null) try {
mHelper.dispose();
} catch (IabHelper.IabAsyncInProgressException e) {
e.printStackTrace();
}
mHelper = null;
}
private String apilicense() {
return Constants.apilicence;
}
private void showAlertAboutUs() {
PackageInfo pInfo = null;
try {
pInfo = getActivity().getPackageManager().getPackageInfo(getActivity().getPackageName(), 0);
} catch (PackageManager.NameNotFoundException e) {
e.printStackTrace();
}
String version = pInfo != null ? pInfo.versionName : "";
new AlertDialog.Builder(getActivity())
.setTitle(R.string.app_name)
.setMessage("Version:" + version + "\n" + Constants.alert_developer_info)
.setPositiveButton(android.R.string.yes, null)
.setIcon(R.mipmap.ic_launcher)
.show();
}
}
| [
"sharoncheers@gmail.com"
] | sharoncheers@gmail.com |
c7c02d922364f00c0240eebc1090765f7324dc76 | 44991eb991f60a280522b50317c061e96b9549d3 | /src/Vista/informacion1.java | 5edb043bb5a50a48d8b7a1a50ea108c59ac3f7a2 | [] | no_license | rogermen/denuncias | 325a19b66473de330f2002fb639ddf27ecb804b1 | f8589f8e95d12acc5fb116de178a8c784384af42 | refs/heads/master | 2020-04-07T14:45:04.453126 | 2018-11-26T17:21:35 | 2018-11-26T17:21:35 | 158,459,597 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,889 | 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 Vista;
import java.awt.Dimension;
import static java.awt.Frame.MAXIMIZED_BOTH;
import java.awt.Graphics;
import javax.swing.ImageIcon;
/**
*
* @author EDWIN
*/
public class informacion1 extends javax.swing.JPanel {
/**
* Creates new form informacion1
*/
public informacion1() {
initComponents();
this.setSize(1367, 730);
}
public void paintComponent(Graphics g){
Dimension tamanio= getSize();
ImageIcon imagenFondo = new ImageIcon(getClass().getResource("/images/7.png"));
g.drawImage(imagenFondo.getImage(),0,0,tamanio.width,tamanio.height,null);
setOpaque(false);
super.paintComponent(g);
}
/**
* This method is called from within the constructor to initialize the form.
* WARNING: Do NOT modify this code. The content of this method is always
* regenerated by the Form Editor.
*/
@SuppressWarnings("unchecked")
// <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents
private void initComponents() {
javax.swing.GroupLayout layout = new javax.swing.GroupLayout(this);
this.setLayout(layout);
layout.setHorizontalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGap(0, 412, Short.MAX_VALUE)
);
layout.setVerticalGroup(
layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING)
.addGap(0, 350, Short.MAX_VALUE)
);
}// </editor-fold>//GEN-END:initComponents
// Variables declaration - do not modify//GEN-BEGIN:variables
// End of variables declaration//GEN-END:variables
}
| [
"rog_am_33@hotmail.com"
] | rog_am_33@hotmail.com |
ea47d69e6e628d98b95ab79e7c0f446e3113cd00 | 0fb660ea0001972e2efcbc60fbeeccb6ffaec84c | /Direct/springboot-rabbitmq2/src/main/java/com/geo/rabbitmq/springbootrabbitmq/SpringbootRabbitmqApplication.java | 6e5b991d176e1a4401ee535c4d331a55a343fedf | [] | no_license | OceanTina/springboot-rabbitmq | bf675e04153456910648d32bc5fbd6faf130960d | 99ddfa6fd4624a403c4db038cf1911ba901f8464 | refs/heads/master | 2020-04-13T07:41:03.639052 | 2019-02-20T02:24:03 | 2019-02-20T02:24:03 | 163,059,122 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 365 | java | package com.geo.rabbitmq.springbootrabbitmq;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class SpringbootRabbitmqApplication {
public static void main(String[] args) {
SpringApplication.run(SpringbootRabbitmqApplication.class, args);
}
}
| [
"1160362008@qq.com"
] | 1160362008@qq.com |
574175c3962442217a454b261fd3d8278bfa4749 | 593b671c4a1a8253e9e36c59c3971eba29e4c40c | /src/main/java/com/ldsmsoft/framework/dao/mybatis/dao/ImageBeanMapper.java | e970ccea917786435293c111bbeaf52309f4bbea | [
"Apache-2.0"
] | permissive | zsming-SQ/Thankni-OMS-BE | e8d1aea4c69e8b7b05255c065f3d44317fea8ee0 | 94541c53f97a4d13f2afd17ef5eeb762d982c504 | refs/heads/master | 2021-01-02T09:45:37.441110 | 2017-09-04T14:42:16 | 2017-09-04T14:42:16 | 99,291,853 | 0 | 0 | null | 2017-08-04T01:55:22 | 2017-08-04T01:55:22 | null | UTF-8 | Java | false | false | 482 | java | package com.ldsmsoft.framework.dao.mybatis.dao;
import com.ldsmsoft.framework.dao.mybatis.model.ImageBean;
public interface ImageBeanMapper {
int deleteByPrimaryKey(Long id);
int insert(ImageBean record);
int insertSelective(ImageBean record);
ImageBean selectByPrimaryKey(Long id);
int updateByPrimaryKeySelective(ImageBean record);
int updateByPrimaryKeyWithBLOBs(ImageBean record);
int updateByPrimaryKey(ImageBean record);
} | [
"zsming@yeah.net"
] | zsming@yeah.net |
4cc5fc5cb2eb05855e66555ee0d6f27f2487d050 | 7e82397cdbbcc86b81a9f50943378a013a6df983 | /app/src/test/java/com/example/frescolibrary/ExampleUnitTest.java | 0baec1ff279180792c2728fc40c179679e73cce7 | [] | no_license | 6050110101/ExFresco | 2424e9e413e0582cf5819aaa34e205ce481c3b7c | c047af98eb9f827d790141fd7bdc826727845a6b | refs/heads/master | 2020-09-12T04:23:05.457598 | 2019-11-17T20:01:59 | 2019-11-17T20:01:59 | 222,304,474 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 386 | java | package com.example.frescolibrary;
import org.junit.Test;
import static org.junit.Assert.*;
/**
* Example local unit test, which will execute on the development machine (host).
*
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
*/
public class ExampleUnitTest {
@Test
public void addition_isCorrect() {
assertEquals(4, 2 + 2);
}
} | [
"6050110101@psu.ac.th"
] | 6050110101@psu.ac.th |
0ff7e1a27c3b9582927bafaa40d8b515556ea26d | 8feefe7eb82971c7794682f7dedfcaef783e7f5d | /src/Team.java | df8e1a8169e2b5a98bc44a6c8456cbd1aa1e7679 | [
"Apache-2.0"
] | permissive | Utsav360/The-Robot-Olympics | 8a368ed6ada642b930e29f01ef4dc0f79b7065c1 | 3d7c16427f14fa1486eb81b865f2f5e19adda948 | refs/heads/main | 2023-07-18T01:24:44.978809 | 2021-08-30T16:37:23 | 2021-08-30T16:37:23 | 401,414,690 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,559 | java | import javafx.scene.canvas.GraphicsContext;
import javafx.scene.paint.Color;
public class Team {
//// Variable x declared
private double x;
// Variable y declared
private double y;
// Variable name and color declared
private String name;
private Color color;
/**
*
* @param x
* @param y
* @param name
* @param color
*
*/
public Team(double x, double y, String name, Color color) {
//Value set for x,y,color and name.
this.x = x;
this.y = y;
this.name = name;
this.color = color;
}
/**
*
* @param gc
*
*
*/
public void draw(GraphicsContext gc){
//3 Player constructor created with x, y ,color and name.
Player p1 = new Player(x,y,color,name);
Player p2 = new Player(x+150,y,color,name);
Player p3 = new Player(x+300,y,color,name);
//find the team average by using formula
double teamAvg =
(p1.getAverage()+ p2.getAverage()+p3.getAverage() )/ 3.0;
//Draw player 1 Design
p1.draw(gc);
//Value set for height and width
double width = 50;
double height = 50;
//Design for neck design
gc.strokeRect(x,y,width,height);
p2.draw(gc);
p3.draw(gc);
//Display team name with team average
gc.fillText(String.format("%s (team average %.1f" ,name,teamAvg),200,y+120);
}
}
| [
"noreply@github.com"
] | Utsav360.noreply@github.com |
fbf266581bfbc3c9e579830eadf92aab10a91791 | c7315d9f4205eca7c69a0c67890375ed586cb0ed | /app/src/main/java/com/example/cadastrodemensalistas/ListaMensalisActivity.java | b376bcb949f05b4b0920abf714035b4a9d499522 | [] | no_license | JonyAlan/CadastrodeMensalistas | de4cf980b97ec1ad112807fa42a1ef35caba42ce | fabfc9b15c3113f2506fb07685018a0fb4379293 | refs/heads/master | 2020-04-19T01:44:36.537842 | 2019-01-28T02:15:56 | 2019-01-28T02:15:56 | 167,873,701 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,587 | java | package com.example.cadastrodemensalistas;
import android.app.Activity;
import android.app.AlertDialog;
import android.content.DialogInterface;
import android.content.Intent;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.ContextMenu;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.ListView;
import android.widget.SearchView;
import java.util.ArrayList;
import java.util.List;
public class ListaMensalisActivity extends AppCompatActivity {
private ListView listaView;
private MensalistaDAO dao;
private List<Mensalista> mensalistas;
private List<Mensalista> mensalistasFiltrados = new ArrayList<>();
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_lista_mensalis);
listaView = findViewById(R.id.listMensalis);
dao = new MensalistaDAO(this);
mensalistas = dao.obtertodos();
mensalistasFiltrados.addAll(mensalistas);
mensalistasFiltrados.clear();
ArrayAdapter<Mensalista> adaptador = new ArrayAdapter<Mensalista>(this,android.R.layout.simple_list_item_1, mensalistasFiltrados);
listaView.setAdapter(adaptador);
registerForContextMenu(listaView); //quando um list view for pressionado ele exibe a lista de menu
}
public boolean onCreateOptionsMenu(Menu menu){
MenuInflater i = getMenuInflater();
i.inflate(R.menu.menu_principal,menu);
SearchView sv = (SearchView) menu.findItem(R.id.app_bar_search).getActionView();
sv.setOnQueryTextListener(new SearchView.OnQueryTextListener() {
@Override
public boolean onQueryTextSubmit(String s) {
return false;
}
@Override
public boolean onQueryTextChange(String s) {
procuraMensalista(s);
return false;
}
});
return true;
}
public void onCreateContextMenu(ContextMenu menu, View v, ContextMenu.ContextMenuInfo menuInfo) {
super.onCreateContextMenu(menu, v, menuInfo);
MenuInflater i = getMenuInflater();
i.inflate(R.menu.menu_contexto, menu);
}
public void procuraMensalista(String nome){
mensalistasFiltrados.clear();
for(Mensalista a : mensalistas){
if(a.getNome().toLowerCase().contains(nome.toLowerCase())){
mensalistasFiltrados.add(a);
}
}
listaView.invalidateViews();
}
public void excluir(MenuItem item){
AdapterView.AdapterContextMenuInfo menuInfo =
(AdapterView.AdapterContextMenuInfo) item.getMenuInfo(); //obtem a id da lista
final Mensalista mensalistaExcluir = mensalistasFiltrados.get(menuInfo.position);
AlertDialog dialog = new AlertDialog.Builder(this)
.setTitle("Atenção")
.setMessage("Deseja excluir o(a) mensalista ?")
.setNegativeButton("NÃO",null)
.setPositiveButton("SIM", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialogInterface, int i) {
mensalistasFiltrados.remove(mensalistaExcluir);
mensalistas.remove(mensalistaExcluir);
dao.excluir(mensalistaExcluir);
listaView.invalidateViews();
}
}).create();
dialog.show();
}
public void atualizar (MenuItem item){
AdapterView.AdapterContextMenuInfo menuInfo =
(AdapterView.AdapterContextMenuInfo) item.getMenuInfo(); //qual posição do click
final Mensalista mensalistaAtualizar = mensalistasFiltrados.get(menuInfo.position);
Intent it = new Intent(this, MainActivity.class); //chama a tela de cadastro
it.putExtra("mensalista",mensalistaAtualizar);
startActivity(it);
}
public void cadastrar(MenuItem item){
Intent it = new Intent(this,MainActivity.class);
startActivity(it);
}
@Override
public void onResume(){
mensalistasFiltrados.clear();
super.onResume();
mensalistas = dao.obtertodos();
mensalistasFiltrados.addAll(mensalistas);
listaView.invalidateViews();
}
}
| [
"jony.nunes@fatec.sp.gov.br"
] | jony.nunes@fatec.sp.gov.br |
1d0bf2437b24c37a8ef23db47bb9cf4e59cd720a | 787afec97e5222954754d2d1df69fbb6827c5a24 | /assignment/two/TadawulTextProcessor.java | 3f68bcb6e078619c2cb1de15973db3b6c8abe7f6 | [] | no_license | Mhz95/Arabic-Text-Indexer | 119d52e64e5b2e1f7eafe7881a7a9462070fa370 | 2afe20900638edf1af7225496d2320829a4c7afa | refs/heads/main | 2023-03-31T21:09:06.902343 | 2021-04-10T22:01:54 | 2021-04-10T22:01:54 | 356,302,587 | 1 | 1 | null | null | null | null | UTF-8 | Java | false | false | 16,517 | java | package assignment.two;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.sql.Timestamp;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.stream.Collectors;
import java.util.stream.Stream;
import assignment.obj.Doc;
import assignment.obj.Term;
import assignment.obj.Token;
import assignment.util.SnowballStemmer;
import java.util.ArrayList;
import java.util.Date;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Map.Entry;
import java.util.Random;
import java.util.Set;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.FileWriter;
import org.jdom2.Document;
import org.jdom2.Element;
import org.jdom2.JDOMException;
import org.jdom2.input.SAXBuilder;
import org.json.simple.JSONArray;
import org.json.simple.JSONObject;
import org.json.simple.parser.JSONParser;
/**
* Assignment 2:
* Text Processing and Indexing
* Selected Topics in AI, KSU March 2021
* @author Malzaidan
*/
public class TadawulTextProcessor {
static Map<String, Map<Long, List<Term>>> index = new HashMap<String, Map<Long, List<Term>>>();
public static void tadawulTextProcessor(String stockCode) {
List<Doc> docs = readXML(stockCode);
// docs.forEach(value -> System.out.println(value.toString()));
for (int x = 0; x < docs.size(); x++) {
ArrayList<Token> tokens = tokenize(docs.get(x));
ArrayList<Token> tokens_after_stopping = stopping(tokens);
ArrayList<Token> terms = stemming(tokens_after_stopping);
System.out.println("DOCUMENT ID: " + docs.get(x).getDocID() + "\n");
System.out.println((x + 1) + " / " + docs.size() + "\n");
Map<String, List<Term>> termsPositions = getTermsPositions(terms);
index(x, docs, termsPositions, terms);
}
List<Map.Entry<Integer, String>> out = formatForIndexStorage(stockCode);
saveResults(out, stockCode, "index", -1);
}
private static Map<String, List<Term>> getTermsPositions(ArrayList<Token> terms) {
// TODO Auto-generated method stub
Map<String, List<Term>> countByWords = new HashMap<String, List<Term>>();
for (int i = 0; i < terms.size(); i++) {
List<Term> pos;
pos = countByWords.get(terms.get(i).getToken_stem());
if (pos != null) {
pos.add(new Term(terms.get(i).getTokenID(), terms.get(i).getToken(), terms.get(i).getType()));
countByWords.put(terms.get(i).getToken_stem(), pos);
} else {
pos = new ArrayList<Term>();
pos.add(new Term(terms.get(i).getTokenID(), terms.get(i).getToken(), terms.get(i).getType()));
countByWords.put(terms.get(i).getToken_stem(), pos);
}
}
return countByWords;
}
public static List<Doc> readXML(String stockCode) {
List<Doc> docs = new ArrayList<Doc>();
try {
SAXBuilder builder = new SAXBuilder();
File xmlFile = new File("./assignment/resources/" + stockCode + ".xml");
Document document;
document = (Document) builder.build(xmlFile);
Element e = document.getRootElement();
List<Element> allDocs = document.getRootElement().getChildren();
for (Element element : allDocs) { // For each document in the XML file
try {
long unixTime = System.currentTimeMillis() / 1000;
Random random = new Random();
// generate a random integer from 0 to 899, then add 100
int x = random.nextInt(900) + 100;
unixTime = unixTime + x;
Element date = element.getChild("DATE");
Element time = element.getChild("TIME");
Element title = element.getChild("TITLE");
Element body = element.getChild("TEXT");
String dateStr = "";
String timeStr = "";
dateStr = date.getValue();
timeStr = time.getValue();
if (dateStr != null && dateStr != "" && timeStr != null && timeStr != "") {
SimpleDateFormat original = new SimpleDateFormat("dd/mm/yyyy");
SimpleDateFormat newFormat = new SimpleDateFormat("yyyy-mm-dd");
Timestamp timestamp = null;
if (!dateStr.isEmpty()) {
Date dd = original.parse(dateStr);
String reformattedStr = newFormat.format(dd);
// Get timestamp to use it as document ID
timestamp = Timestamp.valueOf(reformattedStr + " " + timeStr);
}
if (timestamp != null) {
unixTime = (long) timestamp.getTime() / 1000;
}
} else {
unixTime = System.currentTimeMillis() / 1000;
unixTime = unixTime + x;
}
// Create Document Obj and add it to the list
Doc doc = new Doc(stockCode, unixTime, title.getValue(), body.getValue());
docs.add(doc);
System.out.println("dateStr " + unixTime);
} catch (ParseException er) {
er.printStackTrace();
}
}
// docs.forEach(value -> System.out.println(value.toString()));
} catch (JDOMException e1) {
// TODO Auto-generated catch block
e1.printStackTrace();
} catch (IOException e1) {
// TODO Auto-generated catch block
e1.printStackTrace();
}
return docs;
}
/**
* To tokenize a given text
*
* @params stockCode
* @return
*/
public static ArrayList<Token> tokenize(Doc input) {
ArrayList<Token> tokens = new ArrayList<Token>();
Token newElement;
// Convert input string to arraylist for further manipulation
ArrayList<String> candidates = new ArrayList<String>();
ArrayList<String> candidates_content = new ArrayList<String>();
// Split input string
String cleaned_title = input.getTitle().replaceAll("[^\\p{L}\\p{Z}]", "");
String cleaned_content = input.getContent().replaceAll("[^\\p{L}\\p{Z}]", "");
String[] tokenCan_title = cleaned_title.split("\\s+");
String[] tokenCan_content = cleaned_content.split("\\s+");
// Clean empty strings in arraylist
candidates = cleanEmptyString(tokenCan_title);
candidates_content = cleanEmptyString(tokenCan_content);
int i = 0;
// Final candiates array
for (String t : candidates) {
// Parse string value
newElement = new Token(i, t, 't');
tokens.add(newElement);
i++;
}
for (String t : candidates_content) {
// Parse string value
newElement = new Token(i, t, 'c');
tokens.add(newElement);
i++;
}
return tokens;
}
/**
* To Clean empty string in Arraylist
*
* @params dirtyString
* @return
*/
public static ArrayList<String> cleanEmptyString(String[] dirtyString) {
ArrayList<String> nonEmpStrings = new ArrayList<String>();
// Remove empty string from the candidate string array
for (String s : dirtyString) {
// Replace multiple spaces by empty string
s.replaceAll("[\\t\\n\\r\\s]", "");
// add nonempty string to new arraylist
if (!s.matches(" ") && !s.matches(""))
nonEmpStrings.add(s);
}
return nonEmpStrings;
}
/**
* To remove stopping words in a text
*
* @params stockCode
* @return
*/
public static ArrayList<Token> stopping(ArrayList<Token> tokens) {
String filename_ar = "./assignment/resources/stopword_ar.txt";
String filename_en = "./assignment/resources/stopword_en.txt";
try (Stream<String> lines = Files.lines(Paths.get(filename_ar))) {
lines.forEachOrdered(line -> {
for (int i = 0; i < tokens.size(); i++) {
if (tokens.get(i).getToken().equals(line)) {
tokens.remove(i);
}
}
});
} catch (IOException e) {
System.out.println("unable to find file: " + filename_ar);
System.exit(0);
}
try (Stream<String> lines = Files.lines(Paths.get(filename_en))) {
lines.forEachOrdered(line -> {
for (int i = 0; i < tokens.size(); i++) {
if (tokens.get(i).getToken().equals(line)) {
tokens.remove(i);
}
}
});
} catch (IOException e) {
System.out.println("unable to find file: " + filename_en);
System.exit(0);
}
return tokens;
}
/**
* To apply words stemming in a text
*
* @params stockCode
* @return
*/
public static ArrayList<Token> stemming(ArrayList<Token> tokens) {
Class stemClass_ar, stemClass_en;
try {
stemClass_ar = Class.forName("assignment.util.arabicStemmer");
stemClass_en = Class.forName("assignment.util.englishStemmer");
SnowballStemmer stemmer, stemmer_en;
try {
stemmer = (SnowballStemmer) stemClass_ar.newInstance();
stemmer_en = (SnowballStemmer) stemClass_en.newInstance();
tokens.forEach(value -> {
if ((value.getToken()).matches("^[a-zA-Z][a-zA-Z\\s]+$")) {
stemmer_en.setCurrent(value.getToken());
stemmer_en.stem();
if (stemmer_en.getCurrent() != null && stemmer_en.getCurrent() != "") {
value.setToken_stem(stemmer_en.getCurrent());
} else {
value.setToken_stem(value.getToken());
}
} else {
stemmer.setCurrent(value.getToken());
stemmer.stem();
if (stemmer.getCurrent() != null && stemmer.getCurrent() != "") {
value.setToken_stem(stemmer.getCurrent());
} else {
value.setToken_stem(value.getToken());
}
}
});
} catch (InstantiationException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IllegalAccessException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
} catch (ClassNotFoundException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return tokens;
}
/**
* To index a text
*
* @params stockCode
* @return
*/
public static void index(int x, List<Doc> docs, Map<String, List<Term>> termsPos, ArrayList<Token> terms) {
for (int i = 0; i < terms.size(); i++) {
Map<Long, List<Term>> docTermPos = null;
List<Term> pos;
pos = termsPos.get(terms.get(i).getToken_stem());
docTermPos = index.get(terms.get(i).getToken_stem());
if (docTermPos != null) {
docTermPos.put(docs.get(x).getDocID(), pos);
index.put(terms.get(i).getToken_stem(), docTermPos);
} else {
docTermPos = new HashMap<Long, List<Term>>();
docTermPos.put(docs.get(x).getDocID(), pos);
index.put(terms.get(i).getToken_stem(), docTermPos);
}
}
}
/**
* To find a term in all documents
*
* @params stockCode
* @return
*/
public static Map<Long, List<Term>> findSpecificWord(String query, Map<String, Map<Long, List<Term>>> index) {
Map<Long, List<Term>> result = index.get(query);
return result;
}
/**
* To set the format for output
*
* @params stockCode
* @return
*/
public static List<Entry<Integer, String>> formatForOutput(String stockCode, Map<String, Map<Long, List<Term>>> index) {
String topith = "";
String all = "";
Map<Integer, String> ctfs = new HashMap<Integer, String>();
for (Entry<String, Map<Long, List<Term>>> entry : index.entrySet()) {
String key = entry.getKey();
Map<Long, List<Term>> value = entry.getValue();
int df = value.size();
int ctf = 0;
for (Entry<Long, List<Term>> cont : value.entrySet()) {
List<Term> val = cont.getValue();
ctf = ctf + val.size();
}
// term--> df, ctf (d1, tf), (d2, tf), (d3, tf)
topith = "\n" + key + "--> " + df + ", " + ctf + " ";
for (Entry<Long, List<Term>> cont : value.entrySet()) {
Long dID = cont.getKey();
topith += "(" + dID;
List<Term> val = cont.getValue();
int tf = val.size();
topith += ", " + tf + "), ";
}
ctfs.put(ctf, topith);
all += topith + "\n";
topith = "";
}
List<Map.Entry<Integer, String>> result = ctfs.entrySet().stream().sorted(Map.Entry.comparingByKey())
.collect(Collectors.toList());
return result;
}
private static List<Entry<Integer, String>> formatForIndexStorage(String stockCode) {
String topith = "";
Map<Integer, String> ctfs = new HashMap<Integer, String>();
for (Entry<String, Map<Long, List<Term>>> entry : index.entrySet()) {
String key = entry.getKey();
Map<Long, List<Term>> value = entry.getValue();
int ctf = 0;
for (Entry<Long, List<Term>> cont : value.entrySet()) {
List<Term> val = cont.getValue();
ctf = ctf + val.size();
}
topith = "\n{\"" + key + "\" : [";
for (Entry<Long, List<Term>> cont : value.entrySet()) {
Long dID = cont.getKey();
topith += "\n\t{\"" + dID +"\" : \n\t\t\t[";
List<Term> val = cont.getValue();
for(int i = 0 ; i < val.size(); i++) {
topith += "\n\t\t\t\t{\"id\" : "+ val.get(i).getTermID() +",";
topith += "\n\t\t\t\t\"term\" : \""+ val.get(i).getTerm() +"\",";
topith += "\n\t\t\t\t\"type\" : \""+ (val.get(i).getType() == 't'? "Title": "Body") +"\"},";
}
topith += "\n\t\t\t]\n\t\t}, ";
}
topith += "\n\t]\n}, ";
ctfs.put(ctf, topith);
topith = "";
}
List<Map.Entry<Integer, String>> result = ctfs.entrySet().stream().sorted(Map.Entry.comparingByKey())
.collect(Collectors.toList());
return result;
}
public static void saveResults(List<Entry<Integer, String>> out, String stockCode, String filenamePrefix, int limit) {
String rs = "";
try {
FileWriter fw = new FileWriter(new File("./assignment/"+filenamePrefix+"_" + stockCode + ".json"));
StringBuffer sb = new StringBuffer("");
int size = 0;
if(limit != -1) {
size = limit;
} else {
size = out.size();
}
for (int i = 1; i < size; i++) {
rs = out.get(out.size() - i).getValue();
sb.append(rs + "\n");
}
if(filenamePrefix.equals("index")) {
fw.write("["+sb.toString()+"]");
} else {
fw.write(sb.toString());
}
fw.close();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
public static Map<String, Map<Long, List<Term>>> parseJSONIndex(String stock) {
String filename = "./assignment/index_"+stock+".json";
Map<String, Map<Long, List<Term>>> index = new HashMap<String, Map<Long, List<Term>>> ();
JSONParser parser = new JSONParser();
try {
JSONArray jsonArray = (JSONArray) parser.parse(new FileReader(filename));
for(Object ja : jsonArray) {
if(ja instanceof JSONObject) {
JSONObject jsonobj = (JSONObject) ja;
Set entries = jsonobj.entrySet();
for(Object one : entries) {
Map.Entry entry = (Map.Entry) one;
Object key = entry.getKey();
Object value = entry.getValue();
Map<Long, List<Term>> map = new HashMap<Long, List<Term>>();
if(value instanceof JSONArray) {
JSONArray jArray = (JSONArray) value;
for(Object j : jArray) {
JSONObject jb = (JSONObject) j;
Set ento = jb.entrySet();
for(Object h : ento) {
Map.Entry en = (Map.Entry) h;
Object keyy = en.getKey();
//System.out.println(keyy.toString());
List<Term> list = new ArrayList<Term>();
Object valuee = en.getValue();
JSONArray jray = (JSONArray) valuee;
for(Object jj : jray) {
JSONObject jbb = (JSONObject) jj;
Set entoo = jbb.entrySet();
Term term = new Term(0, "", 'a');
for(Object hh : entoo) {
Map.Entry enn = (Map.Entry) hh;
Object keyyy = enn.getKey();
Object valueee = enn.getValue();
if(keyyy.toString().equals("term")) {
term.setTerm(valueee.toString());
} else if(keyyy.toString().equals("id")) {
term.setTermID(((Long)valueee).intValue());
} else if(keyyy.toString().equals("type")) {
if(valueee.toString().equals("Title")) {
term.setType('t');
}else {
term.setType('c');
}
}
}
list.add(term);
//System.out.println(term.toString() + "_");
}
long s = Long.valueOf(keyy.toString());
map.put(s, list);
}
}
}
index.put(key.toString(), map);
}
}
}
} catch (org.json.simple.parser.ParseException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
return index;
}
}
| [
"mhz_11@hotmail.com"
] | mhz_11@hotmail.com |
44e08d5289020110126949245e21dedfe90f785d | d73607344446ca8d577cdbb1e7d8ebb6b9290f7b | /src/main/java/com/dj/models/mnist/MnistDownloader.java | 4e542a94c20f0e43637aa91945524a9037371d22 | [] | no_license | DeepJavaUniverse/DJ-ModelZoo | 64005176bbf6e54259e44ad9b796aa97a05d27c4 | d3567d03226be5bfc822c3d0199ec50ee6f72ec2 | refs/heads/master | 2021-01-24T00:44:16.472039 | 2018-04-08T14:46:20 | 2018-04-08T14:46:20 | 122,778,715 | 2 | 2 | null | 2018-04-08T14:46:21 | 2018-02-24T20:51:16 | Java | UTF-8 | Java | false | false | 5,056 | java | package com.dj.models.mnist;
import org.apache.commons.io.FileUtils;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.net.MalformedURLException;
import java.net.URL;
import java.nio.file.Paths;
import java.util.stream.Stream;
import java.util.zip.GZIPInputStream;
public abstract class MnistDownloader {
private static final String HTTP_PROTOCOL = "http";
private static final String YANN_LECUN_HOST_NAME = "yann.lecun.com";
private static final String MNIST_TRAIN_SET_IMAGES = "/exdb/mnist/train-images-idx3-ubyte.gz";
private static final String MNIST_TRAIN_SET_LABELS = "/exdb/mnist/train-labels-idx1-ubyte.gz";
private static final String MNIST_TEST_SET_IMAGES = "/exdb/mnist/t10k-images-idx3-ubyte.gz";
private static final String MNIST_TEST_SET_LABELS = "/exdb/mnist/t10k-labels-idx1-ubyte.gz";
private static final String TMP_DIR_PATH = System.getProperty("java.io.tmpdir");
private static final File MNIST_TRAIN_SET_IMAGES_ZIP_FILE
= Paths.get(TMP_DIR_PATH, "train-images.gz").toFile();
private static final File MNIST_TRAIN_SET_LABELS_ZIP_FILE
= Paths.get(TMP_DIR_PATH, "train-labels.gz").toFile();
private static final File MNIST_TEST_SET_IMAGES_ZIP_FILE
= Paths.get(TMP_DIR_PATH, "test-images.gz").toFile();
private static final File MNIST_TEST_SET_LABELS_ZIP_FILE
= Paths.get(TMP_DIR_PATH, "test-labels.gz").toFile();
public static final File MNIST_TRAIN_SET_IMAGES_FILE
= Paths.get(TMP_DIR_PATH, "train-images").toFile();
public static final File MNIST_TRAIN_SET_LABELS_FILE
= Paths.get(TMP_DIR_PATH, "train-labels").toFile();
public static final File MNIST_TEST_SET_IMAGES_FILE
= Paths.get(TMP_DIR_PATH, "test-images").toFile();
public static final File MNIST_TEST_SET_LABELS_FILE
= Paths.get(TMP_DIR_PATH, "test-labels").toFile();
private MnistDownloader() { }
public static void downloadMnist() {
if (MNIST_TRAIN_SET_IMAGES_FILE.exists() &&
MNIST_TRAIN_SET_LABELS_FILE.exists() &&
MNIST_TEST_SET_IMAGES_FILE.exists() &&
MNIST_TEST_SET_LABELS_FILE.exists()) {
return;
}
final URL trainSetImages;
final URL trainSetLabels;
final URL testSetImages;
final URL testSetLabels;
try {
trainSetImages = new URL(HTTP_PROTOCOL, YANN_LECUN_HOST_NAME, MNIST_TRAIN_SET_IMAGES);
trainSetLabels= new URL(HTTP_PROTOCOL, YANN_LECUN_HOST_NAME, MNIST_TRAIN_SET_LABELS);
testSetImages = new URL(HTTP_PROTOCOL, YANN_LECUN_HOST_NAME, MNIST_TEST_SET_IMAGES);
testSetLabels= new URL(HTTP_PROTOCOL, YANN_LECUN_HOST_NAME, MNIST_TEST_SET_LABELS);
} catch (MalformedURLException e) {
e.printStackTrace();
throw new RuntimeException("Failure to create URLs that are required to download MNIst DataSet", e);
}
try {
FileUtils.copyURLToFile(trainSetImages, MNIST_TRAIN_SET_IMAGES_ZIP_FILE);
FileUtils.copyURLToFile(trainSetLabels, MNIST_TRAIN_SET_LABELS_ZIP_FILE);
FileUtils.copyURLToFile(testSetImages, MNIST_TEST_SET_IMAGES_ZIP_FILE);
FileUtils.copyURLToFile(testSetLabels, MNIST_TEST_SET_LABELS_ZIP_FILE);
} catch (IOException e) {
e.printStackTrace();
throw new RuntimeException("Failure to download MNIst DataSet", e);
}
unZipFile(MNIST_TRAIN_SET_IMAGES_ZIP_FILE, MNIST_TRAIN_SET_IMAGES_FILE);
unZipFile(MNIST_TRAIN_SET_LABELS_ZIP_FILE, MNIST_TRAIN_SET_LABELS_FILE);
unZipFile(MNIST_TEST_SET_IMAGES_ZIP_FILE, MNIST_TEST_SET_IMAGES_FILE);
unZipFile(MNIST_TEST_SET_LABELS_ZIP_FILE, MNIST_TEST_SET_LABELS_FILE);
}
public static void clearDownloadedFiles() {
removeFilesIfExist(
MNIST_TRAIN_SET_IMAGES_ZIP_FILE,
MNIST_TRAIN_SET_LABELS_ZIP_FILE,
MNIST_TEST_SET_IMAGES_ZIP_FILE,
MNIST_TEST_SET_LABELS_ZIP_FILE,
MNIST_TRAIN_SET_IMAGES_FILE,
MNIST_TRAIN_SET_LABELS_FILE,
MNIST_TEST_SET_IMAGES_FILE,
MNIST_TEST_SET_LABELS_FILE);
}
private static void removeFilesIfExist(final File... files) {
Stream.of(files).filter(File::exists).forEach(File::delete);
}
private static void unZipFile(final File fileToUnzip, final File dest) {
final byte[] buffer = new byte[1024];
try(GZIPInputStream src = new GZIPInputStream(new FileInputStream(fileToUnzip));
FileOutputStream dst = new FileOutputStream(dest)) {
int len;
while ((len = src.read(buffer)) > 0) {
dst.write(buffer, 0, len);
}
} catch(IOException e) {
e.printStackTrace();
throw new RuntimeException("Unzip process have failed", e);
}
}
}
| [
"vkovalevskyi@google.com"
] | vkovalevskyi@google.com |
f025519b9b4a5c022e722785d72612708b1169c3 | 5bdcbbe56a11e2f1240c2464a2ad28c517c276a2 | /src/service/HetongService.java | 63140e66f31f1f502b83ca9bb7f628e8a789d6e6 | [] | no_license | ZzhGitHub123/houseManageSystem | ddac9baba3e52097b341975d750fd435034f44f8 | 7e260f60102197f096a5250d0c5667c0638780b4 | refs/heads/master | 2021-05-22T14:03:53.104194 | 2020-04-04T09:25:23 | 2020-04-04T09:25:23 | 252,956,202 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 258 | java | package service;
import Pojo.Hetong;
public interface HetongService {
public void inserthetong(Hetong hetong);
public Hetong findhetong(String house_id);
public void updatehetong(Hetong hetong);
public void deletehetong(String house_id);
}
| [
"zhaozihui@meicai.cn"
] | zhaozihui@meicai.cn |
ebf854bd6fdc03f6fa0d91828368e601afaf6d3e | ec4c516a0ddb283c92ba23ccf73725d2fc51c957 | /src/gui/FirstPanel.java | d83c6aaa45a6e5d2c7c440e8fbdb1fdd5b50833f | [] | no_license | johu19/parcial-redes | 7fe2fdcda467675c2d19936cf885da9c4a80c441 | 53cc7dd2885785da2b7e783acb67c70a07937ecd | refs/heads/master | 2020-05-24T04:19:58.769519 | 2019-05-16T19:38:55 | 2019-05-16T19:38:55 | 187,090,164 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,829 | java | package gui;
import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.Dimension;
import java.awt.FlowLayout;
import java.awt.Font;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.*;
import javax.swing.border.TitledBorder;
public class FirstPanel extends JDialog implements ActionListener {
public final static String LOG_IN="Log in", SIGN_UP="Sign up";
private JButton btnLogIn;
private JButton btnSignUp;
private JLabel lblTitle;
private GUI_principal principal;
public FirstPanel(GUI_principal principal) {
this.principal = principal;
//this.setMinimumSize(new Dimension(400, 200));
setTitle("Icesi Games SA - AgarIO");
setResizable(false);
setLayout(new BorderLayout());
lblTitle = new JLabel("\n Agar.IO \n");
lblTitle.setHorizontalAlignment(JLabel.CENTER);
Font font = new Font("Snap ITC", Font.PLAIN, 36);
lblTitle.setFont(font);
btnLogIn = new JButton(LOG_IN);
btnLogIn.setActionCommand(LOG_IN);
btnLogIn.addActionListener(this);
btnSignUp = new JButton(SIGN_UP);
btnSignUp.setActionCommand(SIGN_UP);
btnSignUp.addActionListener(this);
JPanel p1= new JPanel();
p1.setLayout(new FlowLayout());
p1.add(btnLogIn);
p1.add(btnSignUp);
add(new JLabel(" "), BorderLayout.NORTH);
add(lblTitle, BorderLayout.CENTER);
add(p1, BorderLayout.SOUTH);
this.pack();
setDefaultCloseOperation(DISPOSE_ON_CLOSE);
setLocationRelativeTo(null);
// TODO Auto-generated constructor stub
}
public void actionPerformed(ActionEvent e) {
// TODO Auto-generated method stub
String command = e.getActionCommand();
if(command.equals(LOG_IN)) {
principal.jdLogIn();
this.dispose();
}else if(command.equals(SIGN_UP)) {
principal.jdSignUp();
this.dispose();
}
}
}
| [
"jagn1997@hotmail.com"
] | jagn1997@hotmail.com |
f17ace5b314af0d7a9f61769cb31b75bc9f1d6b5 | 4d28ebd308e6d15fa86e47e5fca3cf87c3549731 | /multiactivity/src/androidTest/java/com/mirea/mikhailpiskunov/multiactivity/ExampleInstrumentedTest.java | 9d0bd3f85f21a84b78abc340b7570b687ab5dd36 | [] | no_license | Mou5eMD/practice2 | a222f1f1272352cdedba83197c11d1a7a7f703cb | a07b930763cdcd2e8f7cf7cf29248b5695d73c39 | refs/heads/main | 2023-04-28T12:23:09.131489 | 2021-05-18T07:23:22 | 2021-05-18T07:23:22 | 368,436,149 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 792 | java | package com.mirea.mikhailpiskunov.multiactivity;
import android.content.Context;
import androidx.test.platform.app.InstrumentationRegistry;
import androidx.test.ext.junit.runners.AndroidJUnit4;
import org.junit.Test;
import org.junit.runner.RunWith;
import static org.junit.Assert.*;
/**
* Instrumented test, which will execute on an Android device.
*
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
*/
@RunWith(AndroidJUnit4.class)
public class ExampleInstrumentedTest {
@Test
public void useAppContext() {
// Context of the app under test.
Context appContext = InstrumentationRegistry.getInstrumentation().getTargetContext();
assertEquals("com.mirea.mikhailpiskunov.multiactivity", appContext.getPackageName());
}
} | [
"mixa.vayder@yandex.ru"
] | mixa.vayder@yandex.ru |
45e6d0cf4d82d41c11d40d65478dab9ec4bdf288 | 09accc3257f29ceda5a08945f49f5db29ad2406c | /security/src/main/java/com/spring/security/config/SecurityConfig.java | adee880657404825929f11304a8ce760f46765d4 | [] | no_license | liyanpengcode/spring | 9d6d8dccc8e8907d9525f10f1083162ed6e973f7 | 318fbd55061782595dbc8eba03911ba4b9519790 | refs/heads/master | 2022-10-23T02:03:00.199708 | 2021-03-09T09:33:50 | 2021-03-09T09:33:50 | 144,969,155 | 0 | 1 | null | 2022-10-12T20:17:38 | 2018-08-16T09:51:55 | Java | UTF-8 | Java | false | false | 1,689 | java | package com.spring.security.config;
import org.springframework.context.annotation.Configuration;
import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
import org.springframework.security.config.annotation.method.configuration.EnableGlobalMethodSecurity;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.builders.WebSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
@Configuration
//启用
@EnableWebSecurity
//开启Security注解
@EnableGlobalMethodSecurity(prePostEnabled = true)
public class SecurityConfig extends WebSecurityConfigurerAdapter {
@Override
protected void configure(AuthenticationManagerBuilder auth) throws Exception {
auth.inMemoryAuthentication().withUser("admin").password("admin").roles("ADMIN").disabled(false);
}
@Override
public void configure(WebSecurity web) throws Exception {
//隔离的资源;
//不被权限所拦截
web.ignoring().mvcMatchers("/js/**", "/css/**", "/swagger-*/**", "/images/**");
}
@Override
protected void configure(HttpSecurity http) throws Exception {
/*所有请求都要授权访问*/
http.authorizeRequests()
.antMatchers("/").permitAll()
//任何请求都要认证
.anyRequest().authenticated()
.and().logout()
.and().formLogin();
http.csrf().disable();
}
}
| [
"liyanpengwork@aliyun.com"
] | liyanpengwork@aliyun.com |
09471dc4d75b62ab25de68bbb7d32faa036c8236 | 985e97414198d93409f829639f302422db226e28 | /src/main/java/com/aarthi/aarthihotel/exception/ErrorConstant.java | b8d98858451e086496db59f7621af5ea357abfce | [] | no_license | csys-fresher-batch-2019/swiggyapp-spring-aarthi | b3e8c6d8196fc7ff0884e821041893b15b690876 | 52c837690f2718b5fcfce13d362d28e507b6c91f | refs/heads/master | 2021-01-16T04:07:26.745547 | 2020-03-17T12:33:12 | 2020-03-17T12:33:12 | 242,971,887 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 389 | java | package com.aarthi.aarthihotel.exception;
public class ErrorConstant {
public static final String INVALID_SELECT="Invalid Select";
public static final String INVALID_CON_ERROR="Invalid Connection Error";
public static final String INVALID_SAVE="Invalid Save";
public static final String INVALID_UPDATE="Invalid Update";
public static final String INVALID_DELETE="Invalid Save";
}
| [
"AarthiSubhalakshmi1999@gmail.com"
] | AarthiSubhalakshmi1999@gmail.com |
3517fb415c8bf40e06ac3b7a4f34114098bdf9b1 | 8e45aa54eb2aa15a0cff38604ef6f84c6dfa9816 | /java-basic/src/main/java/cn/lastwhisper/javabasic/Sax/Person.java | 59517cf58d7b5c150371dffe730b2206a499f7bb | [] | no_license | animalcoder/Code | 3ecd637bf6513e308ba682e8667c3dd1f5d1c88a | df6068795ba45b542c5508959e9518f1f97a0892 | refs/heads/master | 2020-07-24T01:35:54.748882 | 2019-08-12T15:03:16 | 2019-08-12T15:03:16 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 503 | java | package cn.lastwhisper.javabasic.Sax;
public class Person {
private String name;
private int age;
public Person() {
}
public Person(String name, int age) {
super();
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
}
| [
"ggb2312@gmail.com"
] | ggb2312@gmail.com |
d70a4d1dc14f30702b4b0eea5be130d8a31e120c | 2722e2df37573602bc2880f3e7548e367b8eac5c | /api/src/test/java/no/sr/ringo/peppol/LocalNameTest.java | 359021a724c66e68d00899db703bfeb6d9f44ca1 | [] | no_license | elsand/vefa-srest | 0a3ee841ade6140c0fb8fa15a0f97da65582978a | dfeb8f84b4ccc3cc7d3f48a057c0a73a42b81193 | refs/heads/master | 2020-03-30T16:07:19.687516 | 2018-10-04T08:42:25 | 2018-10-04T08:44:36 | 151,394,022 | 0 | 0 | null | 2018-10-03T10:11:35 | 2018-10-03T10:11:35 | null | UTF-8 | Java | false | false | 979 | java | package no.sr.ringo.peppol;
import org.testng.Assert;
import org.testng.annotations.Test;
import static org.testng.Assert.assertFalse;
import static org.testng.Assert.assertNotNull;
import static org.testng.Assert.assertTrue;
/**
* User: andy
* Date: 10/3/12
* Time: 12:50 PM
*/
public class LocalNameTest {
@Test
public void testCreateALocalName() throws Exception {
LocalName localName = LocalName.valueOf("Invoice");
assertNotNull(localName);
}
@Test
public void testEquals() throws Exception {
LocalName localName = LocalName.valueOf("Invoice");
LocalName localName2 = LocalName.valueOf("Invoice");
Assert.assertEquals(localName, localName2);
}
@Test
public void testEqualsRespectsCase() throws Exception {
LocalName localName = LocalName.valueOf("Invoice");
LocalName localName2 = LocalName.valueOf("invoice");
Assert.assertNotEquals(localName, localName2);
}
}
| [
"thore.johnsen@unit4.com"
] | thore.johnsen@unit4.com |
49cf06e4697bab3dd7c09d9ddde86295e6a042d7 | 0d9269b177b03f75fbc7cf6e3612fbcf661c58cf | /src/main/java/org/alvin/gui/action/help/AboutAction.java | 3cd734cbb9a2f893fe8d0cb72ed1e9509022574d | [] | no_license | alvin198761/swinguml | f4f3dd09e72c0e193c82375d6c641e6937bd47df | 4ca31e2a146dd2c3330ab3a0575bcb859209b854 | refs/heads/master | 2021-01-19T03:59:50.288588 | 2018-03-21T03:18:45 | 2018-03-21T03:18:45 | 84,422,419 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 639 | java | package org.alvin.gui.action.help;
import java.awt.event.ActionEvent;
import java.awt.event.KeyEvent;
import javax.swing.Action;
import javax.swing.KeyStroke;
import org.alvin.gui.action.BaseAction;
import org.alvin.gui.dailog.AboutDialog;
public class AboutAction extends BaseAction {
private static final long serialVersionUID = 1L;
private AboutDialog dialog = new AboutDialog();
public AboutAction() {
super("About");
putValue(Action.MNEMONIC_KEY, KeyEvent.VK_B);
putValue(Action.ACCELERATOR_KEY, KeyStroke.getKeyStroke("ctrl shift B"));
}
public void actionPerformed(ActionEvent e) {
dialog.setVisible(true);
}
}
| [
"tangzhichao@shandagames.com"
] | tangzhichao@shandagames.com |
9cf42334bb8cf4757b8e7c5fc09439f3233c362b | e106c13bdbd53b927254f61f67c06dac98186594 | /src/test/java/com/epam/cdp/kzta2017/junit/SqrtTest.java | 19d6a7f0fcbf80ba0a0b6a4f556f757db29284d3 | [] | no_license | PavelSavitskiy/Hometask-4-Unit | 6b543d5843c822f84160e38a91209d429538e97e | bd78995d79dbd652178cb4d8cf60602d2e4b3c59 | refs/heads/master | 2023-01-04T06:05:36.687160 | 2020-07-16T03:29:07 | 2020-07-16T03:29:07 | 279,872,593 | 0 | 0 | null | 2020-10-13T23:35:44 | 2020-07-15T13:14:19 | Java | UTF-8 | Java | false | false | 797 | java | package com.epam.cdp.kzta2017.junit;
import org.junit.Assert;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.Parameterized;
import java.util.Arrays;
import java.util.List;
@RunWith(Parameterized.class)
public class SqrtTest extends BaseJUnitTest {
public SqrtTest(double a, double expected) {
this.a = a;
this.expected = expected;
}
@Parameterized.Parameters
public static List numbers() {
return Arrays.asList( new Object[][]{
{1,1},
{9,3},
{8,2.8284271247461903},
{-1,1},
{0,0.0}
});
}
@Test
public void testSqrt(){
Assert.assertEquals(expected,calculator.sqrt(a),1e-9);
}
} | [
"noreply@github.com"
] | PavelSavitskiy.noreply@github.com |
199dd4c6056dc236c18e1802ce0827ca55dd4ef6 | 2f73b5ed258d8e692882ebc5a2e3d9d5c879261f | /app/src/main/java/com/example/myapplication/ModelEmbed/Reply_.java | 5be6cd18f26ebb2e89cf00a8496f69c70eb7cf85 | [] | no_license | toannguyen1109/Assignment | ea472c8700d3abf0a11ce481eb1ccb32d001b5df | 24ebdac0b3f0edd3af8e6d295ad5ffd5e62099f1 | refs/heads/master | 2020-07-06T23:38:04.941945 | 2019-08-19T13:03:30 | 2019-08-19T13:03:30 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,599 | java |
package com.example.myapplication.ModelEmbed;
import com.google.gson.annotations.Expose;
import com.google.gson.annotations.SerializedName;
public class Reply_ {
@SerializedName("id")
@Expose
private Integer id;
@SerializedName("parent")
@Expose
private Integer parent;
@SerializedName("author")
@Expose
private Integer author;
@SerializedName("author_name")
@Expose
private String authorName;
@SerializedName("author_url")
@Expose
private String authorUrl;
@SerializedName("date")
@Expose
private String date;
@SerializedName("content")
@Expose
private Content_ content;
@SerializedName("link")
@Expose
private String link;
@SerializedName("type")
@Expose
private String type;
@SerializedName("author_avatar_urls")
@Expose
private AuthorAvatarUrls authorAvatarUrls;
@SerializedName("_links")
@Expose
private Links__ links;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public Integer getParent() {
return parent;
}
public void setParent(Integer parent) {
this.parent = parent;
}
public Integer getAuthor() {
return author;
}
public void setAuthor(Integer author) {
this.author = author;
}
public String getAuthorName() {
return authorName;
}
public void setAuthorName(String authorName) {
this.authorName = authorName;
}
public String getAuthorUrl() {
return authorUrl;
}
public void setAuthorUrl(String authorUrl) {
this.authorUrl = authorUrl;
}
public String getDate() {
return date;
}
public void setDate(String date) {
this.date = date;
}
public Content_ getContent() {
return content;
}
public void setContent(Content_ content) {
this.content = content;
}
public String getLink() {
return link;
}
public void setLink(String link) {
this.link = link;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public AuthorAvatarUrls getAuthorAvatarUrls() {
return authorAvatarUrls;
}
public void setAuthorAvatarUrls(AuthorAvatarUrls authorAvatarUrls) {
this.authorAvatarUrls = authorAvatarUrls;
}
public Links__ getLinks() {
return links;
}
public void setLinks(Links__ links) {
this.links = links;
}
}
| [
"chiennvph06113@fpt.edu.vn"
] | chiennvph06113@fpt.edu.vn |
0935f788742d10b37a208de6a29283818134de2d | 09a25072559942dfe0d95b0d4110a2183c374c91 | /thing-in-spring/spring-bean/src/main/java/org/springstudy/thing/in/spring/spring/bean/factory/UserFactory.java | 9709ef6ee510c1e575d800b9944c2a7f5e37ab17 | [] | no_license | yjhai/spring-study | f97469df7b8fed09a7c4b3c9d9b0fbbb05ed88bc | 6f70829cb4afcb4332f3b557e7bc9034e2cef014 | refs/heads/master | 2022-12-15T16:46:14.518016 | 2020-09-08T08:15:40 | 2020-09-08T08:15:40 | 293,729,063 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 275 | java | package org.springstudy.thing.in.spring.spring.bean.factory;
import org.springstudy.thing.in.spring.oic.overview.domain.User;
/**
* @author chihay
* @Description
*/
public interface UserFactory {
default User createUser(){
return User.createUser();
}
}
| [
"chihay.yang@alphaliongroup.com"
] | chihay.yang@alphaliongroup.com |
ef22a35ce4948ebf65f86bf570d7990aa057493e | 3bf68ca1c67c9c09cd62e3d651775c5a248530c5 | /百知网/1.代码区/1.项目/baizhi/src/com/baizhi/index/action/htlb/InitHtlbPage.java | 83b9f45613e439bcae645d2638fa51d7333e1f6c | [] | no_license | hemingwang0902/hmw-online-shopping | 5c67f06494d9acc8bf8725179267de9094bc0de3 | 52daf95374550c211a4f7a6161724f25f564a4c7 | refs/heads/master | 2016-09-10T00:46:07.377730 | 2013-11-23T12:10:39 | 2013-11-23T12:10:39 | 32,144,617 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,034 | java | package com.baizhi.index.action.htlb;
import java.util.Map;
import com.baizhi.commons.ActionSupport;
import com.baizhi.index.service.HtlbService;
/**
* 类名: InitHtlbPage.java<br>
* 描述:<br>
* 创建者:江红<br>
* 创建日期:2011-7-17 下午07:04:55<br>
* 版本:1.0<br>
* 修改者:<br>
* 修改日期:<br>
*/
public class InitHtlbPage extends ActionSupport{
private static final long serialVersionUID = 315500498585384140L;
private HtlbService htlbService;
private Map<String, Object> returnMap;
public HtlbService getHtlbService() {
return htlbService;
}
public void setHtlbService(HtlbService htlbService) {
this.htlbService = htlbService;
}
public Map<String, Object> getReturnMap() {
return returnMap;
}
public void setReturnMap(Map<String, Object> returnMap) {
this.returnMap = returnMap;
}
@Override
public String execute() throws Exception {
returnMap=htlbService.getTalkList( 1, 10);
return SUCCESS;
}
}
| [
"jianghong0806@gmail.com@dce72f8f-b3c2-5724-611a-96d15c06b5c8"
] | jianghong0806@gmail.com@dce72f8f-b3c2-5724-611a-96d15c06b5c8 |
ed472777296887926e37ebf0b4569322f86f2a22 | f599517a4ba6b2128a3421023c3b9d02ac623dae | /app/src/main/java/be/uclouvain/lsinf1225/groupel32/wishlist/Backend/DBManager.java | 1edb68f2994469ce25224c978c8e53a5e4042571 | [] | no_license | CyrilGusbin/LSINF1225-2020-GroupeL3.2-GiftWish | 93cbf82c57352b4320b2e889d53b170c95baff5d | 872f5239b3a315d72706c71947c805c75a459852 | refs/heads/master | 2022-07-02T07:07:53.039803 | 2020-05-14T12:22:30 | 2020-05-14T12:22:30 | 260,706,808 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,250 | java | //BASE DE DONNÉES REGROUPANT L'ENSEMBLE DES PRODUITS PRÉSENTS DANS CETTE APPLICATIONS.
package be.uclouvain.lsinf1225.groupel32.wishlist.Backend;
import android.content.Context;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
import java.util.ArrayList;
import java.util.List;
public class DBManager<dbManager> extends SQLiteOpenHelper {
private static final String DATABASE_NAME = "Produits.db";
private static final String PRODUITS_TABLE_NAME= "tblVentes";
private static final int DATABASE_VERSION = 4;
public DBManager(Context context){
super(context, DATABASE_NAME, null, DATABASE_VERSION);
}
@Override
public void onCreate(SQLiteDatabase sqLiteDatabase){
String sqlCreateTable="create table "+PRODUITS_TABLE_NAME+" ("
+ "id INTEGER PRIMARY KEY AUTOINCREMENT,"
+ "designation TEXT NOT NULL, "
+ "prix REAL NOT NULL, "
+ "qte REAL NOT NULL"
+ ")";
sqLiteDatabase.execSQL(sqlCreateTable);
}
@Override
public void onUpgrade(SQLiteDatabase sqLiteDatabase, int i, int i1){
String sqlDropTable ="DROP TABLE IF EXISTS "+PRODUITS_TABLE_NAME;
sqLiteDatabase.execSQL(sqlDropTable);
onCreate(sqLiteDatabase);
}
public void insert(String designation, double prix, double qte){
String sqlInsert="insert into " + PRODUITS_TABLE_NAME + " (designation, prix, qte) values('"
+ designation + "'," + prix + "," + qte +")";
this.getWritableDatabase().execSQL(sqlInsert);
}
public List<Article> afficherDetail() {
List<Article> details = new ArrayList<>();
String sqlSelect = "select * from " + PRODUITS_TABLE_NAME + " order by id";
Cursor cursor = this.getReadableDatabase().rawQuery(sqlSelect, null);
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
Article detail = new Article(cursor.getInt(0), cursor.getString(1), cursor.getDouble(2), cursor.getDouble(3));
details.add(detail);
cursor.moveToNext();
}
cursor.close();
return details;
}
}
| [
"62309283+HeyIamGG@users.noreply.github.com"
] | 62309283+HeyIamGG@users.noreply.github.com |
4279ae7718704249b070b542805bfa280a780f2e | c2d6f635b8510846441f8a1fcf5d94afea44e1f5 | /cloud/microservicecloudeureka_7002/src/main/java/net/wfw/net/EurekaServer7002_App.java | d74e4153c413459fda288bb0fd381d02e9437d18 | [] | no_license | JackLove77/SpringCloud | 332347f09ba2686c0db76d093f819dde7b85f765 | d4adc0f1b099b7d1c83ea291e55770bdfbf35899 | refs/heads/master | 2022-07-15T21:03:30.712542 | 2019-10-28T08:27:38 | 2019-10-28T08:27:38 | 217,997,460 | 0 | 0 | null | 2022-06-21T02:07:41 | 2019-10-28T08:18:31 | Java | UTF-8 | Java | false | false | 519 | java | package net.wfw.net;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.netflix.eureka.server.EnableEurekaServer;
/**
* @author 阿迪
* @projectName cloud
* @title EurekaServer7002_App
* @date 2019/10/17 14:14
*/
@SpringBootApplication
@EnableEurekaServer
public class EurekaServer7002_App {
public static void main(String[] args) {
SpringApplication.run(EurekaServer7002_App.class,args);
}
}
| [
"1178648436@qq.com"
] | 1178648436@qq.com |
189e302f30b33b2900bcef830399e0a3f79c809c | 516a173d1f34d89c3e7549f1397076a05428273a | /joramforge/src/test/java/com/joramforge/initative/LoginPage.java | 7b82f1bf169c075ef7b14c33eb1dd22f006b269c | [] | no_license | saikrishnathota99/joramforge | c669afb0a2757c891e133d9bcbd63fbf09134098 | c21624ad3e760f4079663ba53fe5effe78da7bd5 | refs/heads/master | 2023-07-23T15:19:30.731779 | 2021-08-30T14:09:45 | 2021-08-30T14:09:45 | 371,486,804 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 976 | java | package com.joramforge.initative;
import org.openqa.selenium.WebElement;
import org.openqa.selenium.support.FindBy;
import org.openqa.selenium.support.PageFactory;
import com.joramforge.genericlib.BaseTest;
public class LoginPage {
@FindBy(id="username")private WebElement untb;
@FindBy(id="password")private WebElement pwtb;
@FindBy(xpath="//input[@title='sign in ']") private WebElement signInBtn;
public LoginPage() {
PageFactory.initElements(BaseTest.driver,this);
}
public WebElement getUntb() {
return untb;
}
public void setUntb(WebElement untb) {
this.untb = untb;
}
public WebElement getPwtb() {
return pwtb;
}
public void setPwtb(WebElement pwtb) {
this.pwtb = pwtb;
}
public WebElement getSignInBtn() {
return signInBtn;
}
public void setSignInBtn(WebElement signInBtn) {
this.signInBtn = signInBtn;
}
public void login(String un,String pwd) {
untb.sendKeys(un);
pwtb.sendKeys(pwd);
signInBtn.click();
}
}
| [
"RUCHITHA@LAPTOP-TLS0ORKP"
] | RUCHITHA@LAPTOP-TLS0ORKP |
1be6ee4e750b731f803f6db79f32efb272530839 | c5192c8dc422408a447a2f006f2a221ee26279f9 | /src/Vehicle.java | fdd8428b74fc34c2c8446ac29df32c36829864a6 | [] | no_license | Amogh-git/Vehicle-Rental-System | 08c80e28562eda55d87b1dab802e92a06eb9647a | 647d0132626bfaa56c006b971618c0cc5d55d956 | refs/heads/master | 2023-05-01T03:52:47.895754 | 2021-05-28T10:51:35 | 2021-05-28T10:51:35 | 370,738,179 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 932 | java | import java.util.*;
import com.rental.enums.*;
public class Vehicle {
int registrationNumber,rental;
String vehicleName;
HashMap<SlotTiming, Boolean> availabilityDetails = new HashMap<SlotTiming, Boolean>();
Vehicle(){
this.registrationNumber=0;
this.rental = 0;
this.vehicleName = "";
}
Vehicle(int registrationNumber, int rental, String vehicleName){
this.registrationNumber = registrationNumber;
this.vehicleName = vehicleName;
this.rental = rental;
this.availabilityDetails.put(SlotTiming.MORNING, true);
this.availabilityDetails.put(SlotTiming.AFTERNOON, true);
this.availabilityDetails.put(SlotTiming.EVENING, true);
this.availabilityDetails.put(SlotTiming.NIGHT, true);
}
@Override
public String toString() {
return "Vehicle [registrationNumber=" + registrationNumber + ", rental=" + rental + ", vehicleName="
+ vehicleName + ", availabilityDetails=" + availabilityDetails + "]";
}
}
| [
"amoghjkul21@gmail.com"
] | amoghjkul21@gmail.com |
18a592c393080051934a38dab1cbe5fcaecd5e32 | b801b96b660303c91485c0cf5ac62daf1f838b2b | /src/main/java/org/inria/scale/streams/windows/WindowStrategy.java | 99efe72b085d71224a5fe4a79ee87277b4a590c0 | [] | no_license | scale-proactive/gcm-streaming | 70d676db8e2269b43bb0f0e155fc305b0c009017 | 9909151493e4efdb94026ea6a09362eb8a6ea3e7 | refs/heads/master | 2020-12-25T21:44:26.780804 | 2015-08-26T13:22:47 | 2015-08-26T13:22:47 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 269 | java | package org.inria.scale.streams.windows;
import java.util.List;
import org.inria.scale.streams.operators.Window;
import org.javatuples.Tuple;
public interface WindowStrategy {
void initialize(Window window);
void tearDown();
void check(List<Tuple> tuples);
}
| [
"oliva.miguelh@gmail.com"
] | oliva.miguelh@gmail.com |
2c2fb0e0a5c1c33819ff42b2bf218047f62d211d | e66a4068d7faa9b1622f433e1c56b500a610e142 | /taojia Maven Webapp/src/main/java/com/taojia/app/Bean/FeedBack.java | 2228299b6700b3652d3c39d3d2424da82334cbc7 | [] | no_license | wowanfengz/test- | d2dc7c2ea890a24a4f5798d4bed5cbeb4e286be5 | 6f2d8a677c328ae9625a96fd504dc214711e398f | refs/heads/master | 2021-01-10T01:53:29.821984 | 2016-10-23T14:06:07 | 2016-10-23T14:06:07 | 47,746,563 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 619 | java | package com.taojia.app.Bean;
public class FeedBack {
private long feedBackid;
private long userid;
private String content;
private long time;
public long getFeedBackid() {
return feedBackid;
}
public void setFeedBackid(long feedBackid) {
this.feedBackid = feedBackid;
}
public long getUserid() {
return userid;
}
public void setUserid(long userid) {
this.userid = userid;
}
public String getContent() {
return content;
}
public void setContent(String content) {
this.content = content;
}
public long getTime() {
return time;
}
public void setTime(long time) {
this.time = time;
}
}
| [
"pangxueming@pangxueming-To-be-filled-by-O-E-M"
] | pangxueming@pangxueming-To-be-filled-by-O-E-M |
023c204ea4321a20bc58cea0d7c06eef09fb2dff | b9929ba8044f2424c5ffed3f2cc405a8b49d6374 | /catalog-be/src/test/java/org/openecomp/sdc/be/auditing/impl/distribution/AuditDistrEventFuncTest.java | 09a168a1327cff49249df63a4786fed6567a6e9d | [
"Apache-2.0"
] | permissive | aroundble/onap-sdc | a56f5ab96033ae5d155a72e74f1f25c126230f0b | d049ca05bbfb6fa6b86b2a093b09ffc1fc0a6e37 | refs/heads/master | 2021-04-15T19:12:48.860719 | 2018-03-21T11:31:23 | 2018-03-21T15:44:49 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 21,627 | java | package org.openecomp.sdc.be.auditing.impl.distribution;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.ArgumentCaptor;
import org.mockito.Captor;
import org.mockito.Mock;
import org.mockito.junit.MockitoJUnitRunner;
import org.openecomp.sdc.be.auditing.api.AuditEventFactory;
import org.openecomp.sdc.be.auditing.impl.AuditingManager;
import org.openecomp.sdc.be.config.Configuration;
import org.openecomp.sdc.be.dao.api.ActionStatus;
import org.openecomp.sdc.be.dao.cassandra.AuditCassandraDao;
import org.openecomp.sdc.be.dao.cassandra.CassandraOperationStatus;
import org.openecomp.sdc.be.dao.impl.AuditingDao;
import org.openecomp.sdc.be.resources.data.auditing.AuditingActionEnum;
import org.openecomp.sdc.be.resources.data.auditing.AuditingGenericEvent;
import org.openecomp.sdc.be.resources.data.auditing.AuditingGetUebClusterEvent;
import org.openecomp.sdc.be.resources.data.auditing.DistributionDeployEvent;
import org.openecomp.sdc.be.resources.data.auditing.DistributionDownloadEvent;
import org.openecomp.sdc.be.resources.data.auditing.DistributionNotificationEvent;
import org.openecomp.sdc.be.resources.data.auditing.DistributionStatusEvent;
import org.openecomp.sdc.be.resources.data.auditing.model.CommonAuditData;
import org.openecomp.sdc.be.resources.data.auditing.model.DistributionData;
import org.openecomp.sdc.be.resources.data.auditing.model.OperationalEnvAuditData;
import org.openecomp.sdc.common.datastructure.AuditingFieldsKeysEnum;
import org.openecomp.sdc.common.util.ThreadLocalsHolder;
import java.util.EnumMap;
import static org.assertj.core.api.Assertions.assertThat;
import static org.mockito.ArgumentMatchers.any;
import static org.mockito.ArgumentMatchers.anyMap;
import static org.mockito.ArgumentMatchers.eq;
import static org.mockito.Mockito.verify;
import static org.mockito.Mockito.when;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.CURRENT_STATE;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.CURRENT_VERSION;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.DESCRIPTION;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.DIST_CONSUMER_ID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.DIST_ID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.DIST_RESOURCE_URL;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.DIST_STATUS_TIME;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.EXPECTED_DISTRIB_DEPLOY_LOG_STR;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.EXPECTED_DISTRIB_NOTIFICATION_LOG_STR;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.EXPECTED_DIST_DOWNLOAD_LOG_STR;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.EXPECTED_DIST_STATUS_LOG_STR;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.EXPECTED_GET_UEB_CLUSTER_LOG_STR;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.OP_ENV_ID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.REQUEST_ID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.RESOURCE_NAME;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.RESOURCE_TYPE;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.SERVICE_INSTANCE_ID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.STATUS_OK;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.TENANT_CONTEXT;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.TOPIC_NAME;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.USER_FIRST_NAME;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.USER_ID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.USER_LAST_NAME;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.USER_UID;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.VNF_WORKLOAD_CONTEXT;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.init;
import static org.openecomp.sdc.be.auditing.impl.AuditTestUtils.user;
@RunWith(MockitoJUnitRunner.class)
public class AuditDistrEventFuncTest {
private AuditingManager auditingManager;
@Mock
private static AuditCassandraDao cassandraDao;
@Mock
private static AuditingDao auditingDao;
@Mock
private static Configuration.ElasticSearchConfig esConfig;
@Captor
private ArgumentCaptor<AuditingGenericEvent> eventCaptor;
@Before
public void setUp() {
init(esConfig);
auditingManager = new AuditingManager(auditingDao, cassandraDao);
ThreadLocalsHolder.setUuid(REQUEST_ID);
}
@Test
public void testNewNotifyEvent() {
AuditEventFactory factory = new AuditDistribNotificationEventFactory(
CommonAuditData.newBuilder()
.description(DESCRIPTION)
.status(STATUS_OK)
.requestId(REQUEST_ID)
.serviceInstanceId(SERVICE_INSTANCE_ID)
.build(),
CURRENT_STATE, CURRENT_VERSION, DIST_ID, user,
RESOURCE_NAME, RESOURCE_TYPE, TOPIC_NAME,
new OperationalEnvAuditData(OP_ENV_ID, VNF_WORKLOAD_CONTEXT, TENANT_CONTEXT));
when(auditingDao.addRecord(any(AuditingGenericEvent.class), eq(AuditingActionEnum.DISTRIBUTION_NOTIFY.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(factory)).isEqualTo(EXPECTED_DISTRIB_NOTIFICATION_LOG_STR);
verifyNotifyEvent();
}
@Test
public void testOldNotifyEvent() {
when(auditingDao.addRecord(anyMap(), eq(AuditingActionEnum.DISTRIBUTION_NOTIFY.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(fillNotifyMap())).isEqualTo(EXPECTED_DISTRIB_NOTIFICATION_LOG_STR);
verifyNotifyEvent();
}
@Test
public void testNewStatusEvent() {
AuditEventFactory factory = new AuditDistribStatusEventFactory(
CommonAuditData.newBuilder()
.description(DESCRIPTION)
.status(STATUS_OK)
.requestId(REQUEST_ID)
.serviceInstanceId(SERVICE_INSTANCE_ID)
.build(),
DIST_ID, DIST_CONSUMER_ID, TOPIC_NAME, DIST_RESOURCE_URL, DIST_STATUS_TIME);
when(auditingDao.addRecord(any(AuditingGenericEvent.class), eq(AuditingActionEnum.DISTRIBUTION_STATUS.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(factory)).isEqualTo(EXPECTED_DIST_STATUS_LOG_STR);
verifyStatusEvent();
}
@Test
public void testOldStatusEvent() {
when(auditingDao.addRecord(anyMap(), eq(AuditingActionEnum.DISTRIBUTION_STATUS.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(fillStatusMap())).isEqualTo(EXPECTED_DIST_STATUS_LOG_STR);
verifyStatusEvent();
}
@Test
public void testNewDownloadEvent() {
AuditEventFactory factory = new AuditDistribDownloadEventFactory(
CommonAuditData.newBuilder()
.description(DESCRIPTION)
.status(STATUS_OK)
.requestId(REQUEST_ID)
.serviceInstanceId(SERVICE_INSTANCE_ID)
.build(),
new DistributionData(DIST_CONSUMER_ID, DIST_RESOURCE_URL));
when(auditingDao.addRecord(any(AuditingGenericEvent.class), eq(AuditingActionEnum.DISTRIBUTION_ARTIFACT_DOWNLOAD.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(factory)).isEqualTo(EXPECTED_DIST_DOWNLOAD_LOG_STR);
verifyDownloadsEvent();
}
@Test
public void testOldDownloadEvent() {
when(auditingDao.addRecord(anyMap(), eq(AuditingActionEnum.DISTRIBUTION_ARTIFACT_DOWNLOAD.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(fillDownloadMap())).isEqualTo(EXPECTED_DIST_DOWNLOAD_LOG_STR);
verifyDownloadsEvent();
}
@Test
public void testNewDeployEvent() {
AuditEventFactory factory = new AuditDistribDeployEventFactory(
CommonAuditData.newBuilder()
.description(DESCRIPTION)
.status(STATUS_OK)
.requestId(REQUEST_ID)
.serviceInstanceId(SERVICE_INSTANCE_ID)
.build(),
CURRENT_VERSION,
DIST_ID, user, RESOURCE_NAME, RESOURCE_TYPE);
when(auditingDao.addRecord(any(AuditingGenericEvent.class), eq(AuditingActionEnum.DISTRIBUTION_DEPLOY.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(factory)).isEqualTo(EXPECTED_DISTRIB_DEPLOY_LOG_STR);
verifyDeployEvent();
}
@Test
public void testOldDeployEvent() {
when(auditingDao.addRecord(anyMap(), eq(AuditingActionEnum.DISTRIBUTION_DEPLOY.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(fillDeployMap())).isEqualTo(EXPECTED_DISTRIB_DEPLOY_LOG_STR);
verifyDeployEvent();
}
@Test
public void testNewGetUebClusterEvent() {
AuditEventFactory factory = new AuditGetUebClusterEventFactory(
CommonAuditData.newBuilder()
.description(DESCRIPTION)
.status(STATUS_OK)
.requestId(REQUEST_ID)
.serviceInstanceId(SERVICE_INSTANCE_ID)
.build(),
DIST_CONSUMER_ID);
when(auditingDao.addRecord(any(AuditingGenericEvent.class), eq(AuditingActionEnum.GET_UEB_CLUSTER.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(factory)).isEqualTo(EXPECTED_GET_UEB_CLUSTER_LOG_STR);
verifyGetUebClusterEvent();
}
@Test
public void testOldGetUebClusterEvent() {
when(auditingDao.addRecord(anyMap(), eq(AuditingActionEnum.GET_UEB_CLUSTER.getAuditingEsType())))
.thenReturn(ActionStatus.OK);
when(cassandraDao.saveRecord(any(AuditingGenericEvent.class))).thenReturn(CassandraOperationStatus.OK);
assertThat(auditingManager.auditEvent(fillGetUebClusterMap())).isEqualTo(EXPECTED_GET_UEB_CLUSTER_LOG_STR);
verifyGetUebClusterEvent();
}
private void verifyNotifyEvent() {
verify(cassandraDao).saveRecord(eventCaptor.capture());
DistributionNotificationEvent storedEvent = (DistributionNotificationEvent) eventCaptor.getValue();
assertThat(storedEvent.getCurrState()).isEqualTo(CURRENT_STATE);
assertThat(storedEvent.getCurrVersion()).isEqualTo(CURRENT_VERSION);
assertThat(storedEvent.getDesc()).isEqualTo(DESCRIPTION);
assertThat(storedEvent.getStatus()).isEqualTo(STATUS_OK);
assertThat(storedEvent.getRequestId()).isEqualTo(REQUEST_ID);
assertThat(storedEvent.getServiceInstanceId()).isEqualTo(SERVICE_INSTANCE_ID);
assertThat(storedEvent.getAction()).isEqualTo(AuditingActionEnum.DISTRIBUTION_NOTIFY.getName());
assertThat(storedEvent.getDid()).isEqualTo(DIST_ID);
assertThat(storedEvent.getModifier()).isEqualTo(USER_UID);
assertThat(storedEvent.getResourceName()).isEqualTo(RESOURCE_NAME);
assertThat(storedEvent.getResourceType()).isEqualTo(RESOURCE_TYPE);
assertThat(storedEvent.getTopicName()).isEqualTo(TOPIC_NAME);
assertThat(storedEvent.getVnfWorkloadContext()).isEqualTo(VNF_WORKLOAD_CONTEXT);
assertThat(storedEvent.getEnvId()).isEqualTo(OP_ENV_ID);
assertThat(storedEvent.getTenant()).isEqualTo(TENANT_CONTEXT);
}
private void verifyStatusEvent() {
verify(cassandraDao).saveRecord(eventCaptor.capture());
DistributionStatusEvent storedEvent = (DistributionStatusEvent) eventCaptor.getValue();
assertThat(storedEvent.getConsumerId()).isEqualTo(DIST_CONSUMER_ID);
assertThat(storedEvent.getDid()).isEqualTo(DIST_ID);
assertThat(storedEvent.getDesc()).isEqualTo(DESCRIPTION);
assertThat(storedEvent.getStatus()).isEqualTo(STATUS_OK);
assertThat(storedEvent.getRequestId()).isEqualTo(REQUEST_ID);
assertThat(storedEvent.getServiceInstanceId()).isEqualTo(SERVICE_INSTANCE_ID);
assertThat(storedEvent.getAction()).isEqualTo(AuditingActionEnum.DISTRIBUTION_STATUS.getName());
assertThat(storedEvent.getStatusTime()).isEqualTo(DIST_STATUS_TIME);
assertThat(storedEvent.getResoureURL()).isEqualTo(DIST_RESOURCE_URL);
assertThat(storedEvent.getTopicName()).isEqualTo(TOPIC_NAME);
}
private void verifyDownloadsEvent() {
verify(cassandraDao).saveRecord(eventCaptor.capture());
DistributionDownloadEvent storedEvent = (DistributionDownloadEvent) eventCaptor.getValue();
assertThat(storedEvent.getConsumerId()).isEqualTo(DIST_CONSUMER_ID);
assertThat(storedEvent.getDesc()).isEqualTo(DESCRIPTION);
assertThat(storedEvent.getStatus()).isEqualTo(STATUS_OK);
assertThat(storedEvent.getRequestId()).isEqualTo(REQUEST_ID);
assertThat(storedEvent.getServiceInstanceId()).isEqualTo(SERVICE_INSTANCE_ID);
assertThat(storedEvent.getResourceUrl()).isEqualTo(DIST_RESOURCE_URL);
}
private void verifyDeployEvent() {
verify(cassandraDao).saveRecord(eventCaptor.capture());
DistributionDeployEvent storedEvent = (DistributionDeployEvent) eventCaptor.getValue();
assertThat(storedEvent.getCurrVersion()).isEqualTo(CURRENT_VERSION);
assertThat(storedEvent.getDesc()).isEqualTo(DESCRIPTION);
assertThat(storedEvent.getStatus()).isEqualTo(STATUS_OK);
assertThat(storedEvent.getRequestId()).isEqualTo(REQUEST_ID);
assertThat(storedEvent.getServiceInstanceId()).isEqualTo(SERVICE_INSTANCE_ID);
assertThat(storedEvent.getDid()).isEqualTo(DIST_ID);
assertThat(storedEvent.getModifier()).isEqualTo(USER_UID);
assertThat(storedEvent.getResourceName()).isEqualTo(RESOURCE_NAME);
assertThat(storedEvent.getResourceType()).isEqualTo(RESOURCE_TYPE);
}
private void verifyGetUebClusterEvent() {
verify(cassandraDao).saveRecord(eventCaptor.capture());
AuditingGetUebClusterEvent storedEvent = (AuditingGetUebClusterEvent) eventCaptor.getValue();
assertThat(storedEvent.getConsumerId()).isEqualTo(DIST_CONSUMER_ID);
assertThat(storedEvent.getDesc()).isEqualTo(DESCRIPTION);
assertThat(storedEvent.getStatus()).isEqualTo(STATUS_OK);
assertThat(storedEvent.getRequestId()).isEqualTo(REQUEST_ID);
assertThat(storedEvent.getServiceInstanceId()).isEqualTo(SERVICE_INSTANCE_ID);
}
private EnumMap<AuditingFieldsKeysEnum, Object> fillNotifyMap() {
EnumMap<AuditingFieldsKeysEnum, Object> auditingFields = new EnumMap<>(AuditingFieldsKeysEnum.class);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_ACTION, AuditingActionEnum.DISTRIBUTION_NOTIFY.getName());
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_STATUS, STATUS_OK);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DESC, DESCRIPTION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_ID, DIST_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_TYPE, RESOURCE_TYPE);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_SERVICE_INSTANCE_ID, SERVICE_INSTANCE_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_NAME, RESOURCE_NAME);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_CURR_STATE, CURRENT_STATE);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_CURR_VERSION, CURRENT_VERSION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_MODIFIER_UID, USER_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_MODIFIER_NAME, USER_FIRST_NAME + " " + USER_LAST_NAME);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_TOPIC_NAME, TOPIC_NAME);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_VNF_WORKLOAD_CONTEXT, VNF_WORKLOAD_CONTEXT);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_TENANT, TENANT_CONTEXT);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_ENVIRONMENT_ID, OP_ENV_ID);
return auditingFields;
}
private EnumMap<AuditingFieldsKeysEnum, Object> fillStatusMap() {
EnumMap<AuditingFieldsKeysEnum, Object> auditingFields = new EnumMap<>(AuditingFieldsKeysEnum.class);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_ACTION, AuditingActionEnum.DISTRIBUTION_STATUS.getName());
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_TOPIC_NAME, TOPIC_NAME);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_STATUS, STATUS_OK);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DESC, DESCRIPTION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_ID, DIST_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_SERVICE_INSTANCE_ID, SERVICE_INSTANCE_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_RESOURCE_URL, DIST_RESOURCE_URL);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_STATUS_TIME, DIST_STATUS_TIME);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_CONSUMER_ID, DIST_CONSUMER_ID);
return auditingFields;
}
private EnumMap<AuditingFieldsKeysEnum, Object> fillDownloadMap() {
EnumMap<AuditingFieldsKeysEnum, Object> auditingFields = new EnumMap<>(AuditingFieldsKeysEnum.class);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_ACTION, AuditingActionEnum.DISTRIBUTION_ARTIFACT_DOWNLOAD.getName());
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_CONSUMER_ID, DIST_CONSUMER_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_STATUS, STATUS_OK);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DESC, DESCRIPTION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_REQUEST_ID, REQUEST_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_RESOURCE_URL, DIST_RESOURCE_URL);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_SERVICE_INSTANCE_ID, SERVICE_INSTANCE_ID);
return auditingFields;
}
private EnumMap<AuditingFieldsKeysEnum, Object> fillDeployMap() {
EnumMap<AuditingFieldsKeysEnum, Object> auditingFields = new EnumMap<>(AuditingFieldsKeysEnum.class);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_ACTION, AuditingActionEnum.DISTRIBUTION_DEPLOY.getName());
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_STATUS, STATUS_OK);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DESC, DESCRIPTION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_ID, DIST_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_TYPE, RESOURCE_TYPE);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_SERVICE_INSTANCE_ID, SERVICE_INSTANCE_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_NAME, RESOURCE_NAME);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_RESOURCE_CURR_VERSION, CURRENT_VERSION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_MODIFIER_UID, USER_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_MODIFIER_NAME, USER_FIRST_NAME + " " + USER_LAST_NAME);
return auditingFields;
}
private EnumMap<AuditingFieldsKeysEnum, Object> fillGetUebClusterMap() {
EnumMap<AuditingFieldsKeysEnum, Object> auditingFields = new EnumMap<>(AuditingFieldsKeysEnum.class);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_ACTION, AuditingActionEnum.GET_UEB_CLUSTER.getName());
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_CONSUMER_ID, DIST_CONSUMER_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_STATUS, STATUS_OK);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_DISTRIBUTION_STATUS_DESC, DESCRIPTION);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_REQUEST_ID, REQUEST_ID);
auditingFields.put(AuditingFieldsKeysEnum.AUDIT_SERVICE_INSTANCE_ID, SERVICE_INSTANCE_ID);
return auditingFields;
}
}
| [
"ml636r@att.com"
] | ml636r@att.com |
c0c193115f4f3bec1e10297547be6a544eac4daa | 022980735384919a0e9084f57ea2f495b10c0d12 | /src/ext-cttdt-lltnxp/ext-impl/src/com/sgs/portlet/pcccdocumentrecordto/dto/DocumentRecordToDTO.java | 76f2afda4d19de5fdc0091d49faedf644defad73 | [] | no_license | thaond/nsscttdt | 474d8e359f899d4ea6f48dd46ccd19bbcf34b73a | ae7dacc924efe578ce655ddfc455d10c953abbac | refs/heads/master | 2021-01-10T03:00:24.086974 | 2011-02-19T09:18:34 | 2011-02-19T09:18:34 | 50,081,202 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,074 | java | /**
*
*/
package com.sgs.portlet.pcccdocumentrecordto.dto;
/**
* @author DienNH
*
*/
public class DocumentRecordToDTO {
private int stt;
private String soCVNoiBo;
private String soCVDen;
private String ngayDen;
private String ngayHetHan;
private String ngayPhatHanh;
private String noiBanHanh;
private String trichYeu;
private String loaiCV;
private String doUuTien;
private String trinhTuXuLy;
/**
*
*/
public DocumentRecordToDTO() {
// TODO Auto-generated constructor stub
}
public int getStt() {
return stt;
}
public void setStt(int stt) {
this.stt = stt;
}
public String getNgayPhatHanh() {
return ngayPhatHanh;
}
public void setNgayPhatHanh(String ngayPhatHanh) {
this.ngayPhatHanh = ngayPhatHanh;
}
public String getSoCVNoiBo() {
return soCVNoiBo;
}
public void setSoCVNoiBo(String soCVNoiBo) {
this.soCVNoiBo = soCVNoiBo;
}
public String getSoCVDen() {
return soCVDen;
}
public void setSoCVDen(String soCVDen) {
this.soCVDen = soCVDen;
}
public String getNgayDen() {
return ngayDen;
}
public void setNgayDen(String ngayDen) {
this.ngayDen = ngayDen;
}
public String getNgayHetHan() {
return ngayHetHan;
}
public void setNgayHetHan(String ngayHetHan) {
this.ngayHetHan = ngayHetHan;
}
public String getNoiBanHanh() {
return noiBanHanh;
}
public void setNoiBanHanh(String noiBanHanh) {
this.noiBanHanh = noiBanHanh;
}
public String getTrichYeu() {
return trichYeu;
}
public void setTrichYeu(String trichYeu) {
this.trichYeu = trichYeu;
}
public String getLoaiCV() {
return loaiCV;
}
public void setLoaiCV(String loaiCV) {
this.loaiCV = loaiCV;
}
public String getDoUuTien() {
return doUuTien;
}
public void setDoUuTien(String doUuTien) {
this.doUuTien = doUuTien;
}
public String getTrinhTuXuLy() {
return trinhTuXuLy;
}
public void setTrinhTuXuLy(String trinhTuXuLy) {
this.trinhTuXuLy = trinhTuXuLy;
}
}
| [
"nguyentanmo@843501e3-6f96-e689-5e61-164601347e4e"
] | nguyentanmo@843501e3-6f96-e689-5e61-164601347e4e |
44315b181b2ad5d59e77a14859afd8945c27ca79 | c885ef92397be9d54b87741f01557f61d3f794f3 | /tests-without-trycatch/JacksonXml-3/com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser/BBC-F0-opt-40/19/com/fasterxml/jackson/dataformat/xml/deser/FromXmlParser_ESTest_scaffolding.java | 52ac163ceac3727569a19014c8bd5ac831075b2a | [
"CC-BY-4.0",
"MIT"
] | permissive | pderakhshanfar/EMSE-BBC-experiment | f60ac5f7664dd9a85f755a00a57ec12c7551e8c6 | fea1a92c2e7ba7080b8529e2052259c9b697bbda | refs/heads/main | 2022-11-25T00:39:58.983828 | 2022-04-12T16:04:26 | 2022-04-12T16:04:26 | 309,335,889 | 0 | 1 | null | 2021-11-05T11:18:43 | 2020-11-02T10:30:38 | null | UTF-8 | Java | false | false | 50,647 | java | /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Wed Oct 20 10:22:13 GMT 2021
*/
package com.fasterxml.jackson.dataformat.xml.deser;
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class FromXmlParser_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
/*No java.lang.System property to set*/
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FromXmlParser_ESTest_scaffolding.class.getClassLoader() ,
"com.fasterxml.jackson.databind.introspect.ClassIntrospector",
"com.fasterxml.jackson.databind.JsonSerializable$Base",
"com.fasterxml.jackson.core.sym.CharsToNameCanonicalizer",
"com.fasterxml.jackson.databind.MappingIterator",
"com.fasterxml.jackson.databind.deser.BeanDeserializerModifier",
"com.fasterxml.jackson.databind.node.TreeTraversingParser",
"com.fasterxml.jackson.databind.deser.std.CollectionDeserializer",
"com.fasterxml.jackson.databind.deser.impl.FieldProperty",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$ShortSerializer",
"com.fasterxml.jackson.annotation.JsonFormat$Features",
"com.fasterxml.jackson.databind.deser.std.EnumDeserializer",
"com.fasterxml.jackson.annotation.ObjectIdGenerators$Base",
"com.fasterxml.jackson.databind.jsonschema.JsonSchema",
"com.fasterxml.jackson.databind.introspect.AnnotatedConstructor",
"com.fasterxml.jackson.databind.type.TypeFactory",
"com.fasterxml.jackson.databind.cfg.MapperConfigBase",
"com.fasterxml.jackson.databind.deser.UnresolvedForwardReference",
"com.fasterxml.jackson.databind.type.ArrayType",
"com.fasterxml.jackson.databind.ser.impl.UnknownSerializer",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializers",
"com.fasterxml.jackson.databind.jsonFormatVisitors.JsonFormatVisitorWithSerializerProvider",
"com.fasterxml.jackson.databind.type.MapLikeType",
"com.fasterxml.jackson.databind.type.MapType",
"com.fasterxml.jackson.databind.util.Named",
"com.fasterxml.jackson.databind.ser.std.UUIDSerializer",
"com.fasterxml.jackson.databind.ObjectWriter",
"com.fasterxml.jackson.databind.type.TypeBase",
"com.fasterxml.jackson.databind.type.CollectionType",
"com.fasterxml.jackson.databind.deser.std.StringCollectionDeserializer",
"com.fasterxml.jackson.databind.ser.std.StdScalarSerializer",
"com.fasterxml.jackson.annotation.JsonAutoDetect",
"com.fasterxml.jackson.core.format.InputAccessor",
"com.fasterxml.jackson.databind.node.TextNode",
"com.fasterxml.jackson.databind.node.ValueNode",
"com.fasterxml.jackson.core.util.Instantiatable",
"com.fasterxml.jackson.databind.ser.impl.IteratorSerializer",
"com.fasterxml.jackson.databind.ser.std.DateTimeSerializerBase",
"com.fasterxml.jackson.databind.ser.BasicSerializerFactory",
"com.fasterxml.jackson.databind.deser.std.EnumMapDeserializer",
"com.fasterxml.jackson.dataformat.xml.deser.XmlTokenStream",
"com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser$Feature",
"com.fasterxml.jackson.databind.node.JsonNodeCreator",
"com.fasterxml.jackson.databind.deser.SettableBeanProperty",
"com.fasterxml.jackson.databind.jsonFormatVisitors.JsonFormatVisitorWrapper",
"com.fasterxml.jackson.core.json.ReaderBasedJsonParser",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter$Indenter",
"com.fasterxml.jackson.databind.node.FloatNode",
"com.fasterxml.jackson.databind.node.IntNode",
"com.fasterxml.jackson.databind.type.TypeParser",
"com.fasterxml.jackson.databind.jsontype.SubtypeResolver",
"com.fasterxml.jackson.databind.node.DecimalNode",
"com.fasterxml.jackson.core.ObjectCodec",
"com.fasterxml.jackson.databind.util.Annotations",
"com.fasterxml.jackson.databind.deser.Deserializers",
"com.fasterxml.jackson.databind.ser.std.CollectionSerializer",
"com.fasterxml.jackson.databind.ser.std.EnumSerializer",
"com.fasterxml.jackson.databind.cfg.ContextAttributes$Impl",
"com.fasterxml.jackson.databind.deser.KeyDeserializers",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter",
"com.fasterxml.jackson.databind.jsonFormatVisitors.JsonFormatVisitable",
"com.fasterxml.jackson.databind.KeyDeserializer",
"com.fasterxml.jackson.core.util.BufferRecycler",
"com.fasterxml.jackson.databind.introspect.VisibilityChecker$Std",
"com.fasterxml.jackson.core.FormatFeature",
"com.fasterxml.jackson.databind.type.CollectionLikeType",
"com.fasterxml.jackson.databind.deser.impl.PropertyBasedObjectIdGenerator",
"com.fasterxml.jackson.databind.ser.impl.StringCollectionSerializer",
"com.fasterxml.jackson.core.TreeNode",
"com.fasterxml.jackson.databind.node.NumericNode",
"com.fasterxml.jackson.annotation.ObjectIdResolver",
"com.fasterxml.jackson.databind.DeserializationContext",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$Base",
"com.fasterxml.jackson.databind.ser.std.InetSocketAddressSerializer",
"com.fasterxml.jackson.databind.deser.ValueInstantiator",
"com.fasterxml.jackson.databind.ser.std.StaticListSerializerBase",
"com.fasterxml.jackson.databind.ser.std.ObjectArraySerializer",
"com.fasterxml.jackson.databind.type.ResolvedRecursiveType",
"com.fasterxml.jackson.databind.introspect.JacksonAnnotationIntrospector$Java7Support",
"com.fasterxml.jackson.databind.introspect.BasicClassIntrospector",
"com.fasterxml.jackson.databind.node.DoubleNode",
"com.fasterxml.jackson.core.base.ParserMinimalBase",
"com.fasterxml.jackson.databind.ser.PropertyWriter",
"com.fasterxml.jackson.core.util.ByteArrayBuilder",
"com.fasterxml.jackson.databind.type.ReferenceType",
"com.fasterxml.jackson.databind.deser.std.MapEntryDeserializer",
"com.fasterxml.jackson.databind.deser.BeanDeserializerBase",
"com.fasterxml.jackson.databind.ser.impl.IndexedStringListSerializer",
"com.fasterxml.jackson.databind.ObjectMapper$DefaultTyping",
"com.fasterxml.jackson.databind.introspect.BeanPropertyDefinition",
"com.fasterxml.jackson.databind.ser.std.NumberSerializer",
"com.fasterxml.jackson.databind.Module",
"com.fasterxml.jackson.annotation.JsonView",
"com.fasterxml.jackson.databind.AnnotationIntrospector",
"com.fasterxml.jackson.databind.ser.std.DateSerializer",
"com.fasterxml.jackson.databind.ser.ContainerSerializer",
"com.fasterxml.jackson.databind.ser.std.FileSerializer",
"com.fasterxml.jackson.databind.ser.std.NullSerializer",
"com.fasterxml.jackson.core.SerializableString",
"com.fasterxml.jackson.databind.deser.ValueInstantiators",
"com.fasterxml.jackson.core.Versioned",
"com.fasterxml.jackson.databind.deser.std.StringDeserializer",
"com.fasterxml.jackson.databind.deser.std.StringArrayDeserializer",
"com.fasterxml.jackson.databind.introspect.VirtualAnnotatedMember",
"com.fasterxml.jackson.databind.DeserializationFeature",
"com.fasterxml.jackson.annotation.JacksonAnnotation",
"com.fasterxml.jackson.databind.introspect.BasicBeanDescription",
"com.fasterxml.jackson.databind.node.POJONode",
"com.fasterxml.jackson.databind.ObjectReader",
"com.fasterxml.jackson.databind.deser.std.EnumSetDeserializer",
"com.fasterxml.jackson.databind.node.BaseJsonNode",
"com.fasterxml.jackson.databind.node.BigIntegerNode",
"com.fasterxml.jackson.databind.JsonSerializable",
"com.fasterxml.jackson.databind.introspect.AnnotatedMember",
"com.fasterxml.jackson.databind.util.LRUMap",
"com.fasterxml.jackson.databind.BeanDescription",
"com.fasterxml.jackson.databind.deser.impl.TypeWrappedDeserializer",
"com.fasterxml.jackson.databind.JsonDeserializer",
"com.fasterxml.jackson.dataformat.xml.deser.XmlReadContext",
"com.fasterxml.jackson.databind.util.SimpleBeanPropertyDefinition",
"com.fasterxml.jackson.databind.deser.impl.MethodProperty",
"com.fasterxml.jackson.annotation.JsonRawValue",
"com.fasterxml.jackson.core.util.DefaultIndenter",
"com.fasterxml.jackson.databind.introspect.AnnotatedWithParams",
"com.fasterxml.jackson.core.Base64Variant",
"com.fasterxml.jackson.databind.node.ArrayNode",
"com.fasterxml.jackson.annotation.JsonAutoDetect$Visibility",
"com.fasterxml.jackson.databind.ser.impl.AttributePropertyWriter",
"com.fasterxml.jackson.databind.exc.InvalidFormatException",
"com.fasterxml.jackson.databind.deser.std.MapDeserializer",
"com.fasterxml.jackson.databind.ser.std.NonTypedScalarSerializerBase",
"com.fasterxml.jackson.databind.ser.SerializerFactory",
"com.fasterxml.jackson.core.io.CharacterEscapes",
"com.fasterxml.jackson.databind.deser.std.TokenBufferDeserializer",
"com.fasterxml.jackson.databind.type.SimpleType",
"com.fasterxml.jackson.databind.ser.ContextualSerializer",
"com.fasterxml.jackson.core.type.ResolvedType",
"com.fasterxml.jackson.databind.DeserializationConfig",
"com.fasterxml.jackson.databind.MapperFeature",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers",
"com.fasterxml.jackson.databind.ser.std.ClassSerializer",
"com.fasterxml.jackson.databind.Module$SetupContext",
"com.fasterxml.jackson.databind.annotation.JsonSerialize",
"com.fasterxml.jackson.databind.node.ContainerNode",
"com.fasterxml.jackson.databind.ser.impl.PropertyBasedObjectIdGenerator",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$LongSerializer",
"com.fasterxml.jackson.databind.introspect.AnnotatedMethod",
"com.fasterxml.jackson.databind.deser.BeanDeserializerFactory",
"com.fasterxml.jackson.databind.ser.std.StdSerializer",
"com.fasterxml.jackson.databind.ser.BeanSerializerFactory",
"com.fasterxml.jackson.databind.PropertyNamingStrategy",
"com.fasterxml.jackson.databind.introspect.VisibilityChecker",
"com.fasterxml.jackson.core.JsonParser",
"com.fasterxml.jackson.databind.introspect.AnnotatedParameter",
"com.fasterxml.jackson.databind.ser.BeanPropertyWriter",
"com.fasterxml.jackson.databind.jsonschema.SchemaAware",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$FloatSerializer",
"com.fasterxml.jackson.databind.AbstractTypeResolver",
"com.fasterxml.jackson.core.JsonProcessingException",
"com.fasterxml.jackson.core.JsonStreamContext",
"com.fasterxml.jackson.databind.deser.impl.NoClassDefFoundDeserializer",
"com.fasterxml.jackson.core.format.MatchStrength",
"com.fasterxml.jackson.core.sym.CharsToNameCanonicalizer$Bucket",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$DoubleSerializer",
"com.fasterxml.jackson.databind.ser.std.ByteBufferSerializer",
"com.fasterxml.jackson.core.Base64Variants",
"com.fasterxml.jackson.databind.deser.std.StdDelegatingDeserializer",
"com.fasterxml.jackson.databind.deser.std.ArrayBlockingQueueDeserializer",
"com.fasterxml.jackson.databind.ser.std.IterableSerializer",
"com.fasterxml.jackson.databind.ser.std.StdJdkSerializers$AtomicIntegerSerializer",
"com.fasterxml.jackson.databind.ser.VirtualBeanPropertyWriter",
"com.fasterxml.jackson.core.io.IOContext",
"com.fasterxml.jackson.core.PrettyPrinter",
"com.fasterxml.jackson.databind.deser.std.ObjectArrayDeserializer",
"com.fasterxml.jackson.core.base.GeneratorBase",
"com.fasterxml.jackson.databind.deser.DefaultDeserializationContext$Impl",
"com.fasterxml.jackson.databind.exc.PropertyBindingException",
"com.fasterxml.jackson.databind.exc.UnrecognizedPropertyException",
"com.fasterxml.jackson.databind.introspect.JacksonAnnotationIntrospector",
"com.fasterxml.jackson.databind.ser.BeanSerializer",
"com.fasterxml.jackson.databind.ser.std.StdJdkSerializers$AtomicBooleanSerializer",
"com.fasterxml.jackson.databind.ser.std.StdJdkSerializers$AtomicLongSerializer",
"com.fasterxml.jackson.databind.ser.std.InetAddressSerializer",
"com.fasterxml.jackson.databind.jsontype.impl.StdSubtypeResolver",
"com.fasterxml.jackson.databind.ser.DefaultSerializerProvider",
"com.fasterxml.jackson.annotation.JsonInclude$Include",
"com.fasterxml.jackson.databind.deser.std.StdDeserializer",
"com.fasterxml.jackson.databind.node.NullNode",
"com.fasterxml.jackson.core.sym.ByteQuadsCanonicalizer$TableInfo",
"com.fasterxml.jackson.databind.ser.BeanSerializerModifier",
"com.fasterxml.jackson.databind.JsonSerializer",
"com.fasterxml.jackson.databind.jsontype.NamedType",
"com.fasterxml.jackson.databind.JsonNode",
"com.fasterxml.jackson.databind.cfg.DeserializerFactoryConfig",
"com.fasterxml.jackson.databind.jsontype.TypeResolverBuilder",
"com.fasterxml.jackson.databind.ser.ResolvableSerializer",
"com.fasterxml.jackson.databind.introspect.NopAnnotationIntrospector",
"com.fasterxml.jackson.databind.ser.impl.MapEntrySerializer",
"com.fasterxml.jackson.annotation.ObjectIdGenerators$PropertyGenerator",
"com.fasterxml.jackson.core.io.UTF8Writer",
"com.fasterxml.jackson.databind.PropertyName",
"com.fasterxml.jackson.databind.BeanProperty",
"com.fasterxml.jackson.core.Version",
"com.fasterxml.jackson.databind.deser.BasicDeserializerFactory",
"com.fasterxml.jackson.databind.node.JsonNodeFactory",
"com.fasterxml.jackson.databind.ser.std.StdDelegatingSerializer",
"com.fasterxml.jackson.core.io.InputDecorator",
"com.fasterxml.jackson.databind.introspect.TypeResolutionContext",
"com.fasterxml.jackson.databind.ser.impl.StringArraySerializer",
"com.fasterxml.jackson.databind.cfg.MapperConfig",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer$StringFactoryKeyDeserializer",
"com.fasterxml.jackson.core.base.ParserBase",
"com.fasterxml.jackson.annotation.JsonManagedReference",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$IntLikeSerializer",
"com.fasterxml.jackson.databind.annotation.JsonDeserialize",
"com.fasterxml.jackson.databind.node.BinaryNode",
"com.fasterxml.jackson.databind.introspect.AnnotationMap",
"com.fasterxml.jackson.databind.MappingJsonFactory",
"com.fasterxml.jackson.databind.InjectableValues",
"com.fasterxml.jackson.databind.ser.std.ToStringSerializer",
"com.fasterxml.jackson.core.JsonGenerator",
"com.fasterxml.jackson.databind.deser.DefaultDeserializationContext",
"com.fasterxml.jackson.databind.deser.std.ThrowableDeserializer",
"com.fasterxml.jackson.databind.ser.std.TimeZoneSerializer",
"com.fasterxml.jackson.databind.ser.Serializers",
"com.fasterxml.jackson.databind.introspect.AnnotationIntrospectorPair",
"com.fasterxml.jackson.core.JsonEncoding",
"com.fasterxml.jackson.core.JsonGenerationException",
"com.fasterxml.jackson.databind.ser.std.StringSerializer",
"com.fasterxml.jackson.databind.JavaType",
"com.fasterxml.jackson.databind.deser.BeanDeserializer",
"com.fasterxml.jackson.databind.ser.std.AsArraySerializerBase",
"com.fasterxml.jackson.databind.ser.std.JsonValueSerializer",
"com.fasterxml.jackson.core.TreeCodec",
"com.fasterxml.jackson.databind.deser.impl.SetterlessProperty",
"com.fasterxml.jackson.core.json.UTF8JsonGenerator",
"com.fasterxml.jackson.databind.ser.std.EnumSetSerializer",
"com.fasterxml.jackson.core.util.TextBuffer",
"com.fasterxml.jackson.databind.ser.std.SerializableSerializer",
"com.fasterxml.jackson.annotation.JacksonAnnotationValue",
"com.fasterxml.jackson.databind.introspect.Annotated",
"com.fasterxml.jackson.core.JsonFactory",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer$DelegatingKD",
"com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser",
"com.fasterxml.jackson.databind.node.ShortNode",
"com.fasterxml.jackson.databind.node.BooleanNode",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer$EnumKD",
"com.fasterxml.jackson.databind.util.StdDateFormat",
"com.fasterxml.jackson.databind.util.TokenBuffer",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter$NopIndenter",
"com.fasterxml.jackson.core.JsonParser$NumberType",
"com.fasterxml.jackson.core.json.WriterBasedJsonGenerator",
"com.fasterxml.jackson.databind.SerializationConfig",
"com.fasterxml.jackson.databind.node.LongNode",
"com.fasterxml.jackson.annotation.JsonFormat$Value",
"com.fasterxml.jackson.databind.ser.std.BeanSerializerBase",
"com.fasterxml.jackson.annotation.JsonInclude$Value",
"com.fasterxml.jackson.databind.deser.CreatorProperty",
"com.fasterxml.jackson.databind.deser.ResolvableDeserializer",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer$StringCtorKeyDeserializer",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer",
"com.fasterxml.jackson.core.type.TypeReference",
"com.fasterxml.jackson.core.JsonParseException",
"com.fasterxml.jackson.databind.introspect.ConcreteBeanPropertyBase",
"com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser$1",
"com.fasterxml.jackson.databind.ser.std.TokenBufferSerializer",
"com.fasterxml.jackson.annotation.JsonBackReference",
"com.fasterxml.jackson.databind.ser.FilterProvider",
"com.fasterxml.jackson.databind.introspect.SimpleMixInResolver",
"com.fasterxml.jackson.annotation.JsonFormat",
"com.fasterxml.jackson.databind.ser.std.StdJdkSerializers",
"com.fasterxml.jackson.databind.deser.std.UntypedObjectDeserializer",
"com.fasterxml.jackson.databind.deser.DeserializerFactory",
"com.fasterxml.jackson.databind.cfg.SerializerFactoryConfig",
"com.fasterxml.jackson.databind.ser.std.MapSerializer",
"com.fasterxml.jackson.databind.ser.std.SqlDateSerializer",
"com.fasterxml.jackson.databind.util.RootNameLookup",
"com.fasterxml.jackson.databind.introspect.AnnotatedClass",
"com.fasterxml.jackson.annotation.JsonTypeInfo",
"com.fasterxml.jackson.databind.deser.std.AtomicReferenceDeserializer",
"com.fasterxml.jackson.databind.ser.impl.FailingSerializer",
"com.fasterxml.jackson.annotation.JsonUnwrapped",
"com.fasterxml.jackson.databind.JsonMappingException",
"com.fasterxml.jackson.core.io.OutputDecorator",
"com.fasterxml.jackson.databind.introspect.ClassIntrospector$MixInResolver",
"com.fasterxml.jackson.core.json.JsonGeneratorImpl",
"com.fasterxml.jackson.databind.deser.std.StdScalarDeserializer",
"com.fasterxml.jackson.databind.deser.AbstractDeserializer",
"com.fasterxml.jackson.databind.ser.impl.IndexedListSerializer",
"com.fasterxml.jackson.core.sym.ByteQuadsCanonicalizer",
"com.fasterxml.jackson.databind.ser.impl.TypeWrappedSerializer",
"com.fasterxml.jackson.annotation.JsonTypeInfo$As",
"com.fasterxml.jackson.databind.ser.std.SqlTimeSerializer",
"com.fasterxml.jackson.databind.ser.std.AtomicReferenceSerializer",
"com.fasterxml.jackson.databind.DatabindContext",
"com.fasterxml.jackson.core.JsonFactory$Feature",
"com.fasterxml.jackson.databind.node.ObjectNode",
"com.fasterxml.jackson.core.JsonParser$Feature",
"com.fasterxml.jackson.databind.ser.SerializerCache",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$IntegerSerializer",
"com.fasterxml.jackson.core.io.SerializedString",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter$FixedSpaceIndenter",
"com.fasterxml.jackson.core.io.SegmentedStringWriter",
"com.fasterxml.jackson.databind.deser.DeserializationProblemHandler",
"com.fasterxml.jackson.databind.type.TypeBindings",
"com.fasterxml.jackson.annotation.JsonFormat$Shape",
"com.fasterxml.jackson.databind.deser.std.JsonLocationInstantiator",
"com.fasterxml.jackson.annotation.PropertyAccessor",
"com.fasterxml.jackson.databind.SerializerProvider",
"com.fasterxml.jackson.core.JsonToken",
"com.fasterxml.jackson.databind.introspect.AnnotatedField",
"com.fasterxml.jackson.databind.cfg.ContextAttributes",
"com.fasterxml.jackson.databind.deser.std.ContainerDeserializerBase",
"com.fasterxml.jackson.databind.deser.ContextualDeserializer",
"com.fasterxml.jackson.databind.ser.std.ArraySerializerBase",
"com.fasterxml.jackson.core.JsonGenerator$Feature",
"com.fasterxml.jackson.databind.cfg.BaseSettings",
"com.fasterxml.jackson.databind.ObjectMapper",
"com.fasterxml.jackson.databind.ser.DefaultSerializerProvider$Impl",
"com.fasterxml.jackson.annotation.ObjectIdGenerator",
"com.fasterxml.jackson.databind.cfg.HandlerInstantiator",
"com.fasterxml.jackson.databind.ser.std.CalendarSerializer",
"com.fasterxml.jackson.databind.deser.DeserializerCache",
"com.fasterxml.jackson.databind.cfg.ConfigFeature",
"com.fasterxml.jackson.core.FormatSchema",
"com.fasterxml.jackson.databind.SerializationFeature",
"com.fasterxml.jackson.databind.ser.std.BooleanSerializer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FromXmlParser_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"com.fasterxml.jackson.core.JsonParser",
"com.fasterxml.jackson.core.base.ParserMinimalBase",
"com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser",
"com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser$Feature",
"com.fasterxml.jackson.core.JsonToken",
"com.fasterxml.jackson.core.util.VersionUtil",
"com.fasterxml.jackson.core.Version",
"com.fasterxml.jackson.dataformat.xml.PackageVersion",
"com.fasterxml.jackson.core.JsonParser$Feature",
"com.fasterxml.jackson.dataformat.xml.deser.FromXmlParser$1",
"com.fasterxml.jackson.annotation.JsonAutoDetect$Visibility",
"com.fasterxml.jackson.core.util.BufferRecycler",
"com.fasterxml.jackson.core.io.IOContext",
"com.fasterxml.jackson.core.JsonFactory$Feature",
"com.fasterxml.jackson.core.JsonGenerator$Feature",
"com.fasterxml.jackson.core.io.SerializedString",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter",
"com.fasterxml.jackson.core.JsonFactory",
"com.fasterxml.jackson.core.sym.CharsToNameCanonicalizer",
"com.fasterxml.jackson.core.sym.ByteQuadsCanonicalizer",
"com.fasterxml.jackson.core.sym.ByteQuadsCanonicalizer$TableInfo",
"com.fasterxml.jackson.core.TreeCodec",
"com.fasterxml.jackson.core.ObjectCodec",
"com.fasterxml.jackson.core.type.ResolvedType",
"com.fasterxml.jackson.databind.JavaType",
"com.fasterxml.jackson.databind.type.TypeBindings",
"com.fasterxml.jackson.databind.type.TypeBase",
"com.fasterxml.jackson.databind.type.SimpleType",
"com.fasterxml.jackson.databind.AnnotationIntrospector",
"com.fasterxml.jackson.databind.introspect.JacksonAnnotationIntrospector$Java7Support",
"com.fasterxml.jackson.databind.introspect.JacksonAnnotationIntrospector",
"com.fasterxml.jackson.databind.util.LRUMap",
"com.fasterxml.jackson.databind.introspect.VisibilityChecker$Std",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter$NopIndenter",
"com.fasterxml.jackson.core.util.DefaultPrettyPrinter$FixedSpaceIndenter",
"com.fasterxml.jackson.core.util.DefaultIndenter",
"com.fasterxml.jackson.databind.cfg.BaseSettings",
"com.fasterxml.jackson.databind.type.TypeParser",
"com.fasterxml.jackson.databind.type.TypeFactory",
"com.fasterxml.jackson.databind.util.StdDateFormat",
"com.fasterxml.jackson.core.Base64Variant",
"com.fasterxml.jackson.core.Base64Variants",
"com.fasterxml.jackson.databind.ObjectMapper",
"com.fasterxml.jackson.databind.jsontype.SubtypeResolver",
"com.fasterxml.jackson.databind.jsontype.impl.StdSubtypeResolver",
"com.fasterxml.jackson.databind.util.RootNameLookup",
"com.fasterxml.jackson.databind.introspect.SimpleMixInResolver",
"com.fasterxml.jackson.databind.introspect.ClassIntrospector",
"com.fasterxml.jackson.databind.introspect.Annotated",
"com.fasterxml.jackson.databind.introspect.AnnotatedClass",
"com.fasterxml.jackson.databind.BeanDescription",
"com.fasterxml.jackson.databind.introspect.BasicBeanDescription",
"com.fasterxml.jackson.databind.introspect.BasicClassIntrospector",
"com.fasterxml.jackson.annotation.JsonInclude$Include",
"com.fasterxml.jackson.annotation.JsonInclude$Value",
"com.fasterxml.jackson.annotation.JsonFormat$Shape",
"com.fasterxml.jackson.annotation.JsonFormat$Features",
"com.fasterxml.jackson.annotation.JsonFormat$Value",
"com.fasterxml.jackson.databind.cfg.MapperConfig",
"com.fasterxml.jackson.databind.cfg.MapperConfigBase",
"com.fasterxml.jackson.databind.SerializationConfig",
"com.fasterxml.jackson.databind.cfg.ContextAttributes",
"com.fasterxml.jackson.databind.cfg.ContextAttributes$Impl",
"com.fasterxml.jackson.databind.DeserializationConfig",
"com.fasterxml.jackson.databind.node.JsonNodeFactory",
"com.fasterxml.jackson.databind.DatabindContext",
"com.fasterxml.jackson.databind.JsonSerializer",
"com.fasterxml.jackson.databind.ser.std.StdSerializer",
"com.fasterxml.jackson.databind.ser.impl.FailingSerializer",
"com.fasterxml.jackson.databind.ser.impl.UnknownSerializer",
"com.fasterxml.jackson.databind.SerializerProvider",
"com.fasterxml.jackson.databind.ser.DefaultSerializerProvider",
"com.fasterxml.jackson.databind.ser.DefaultSerializerProvider$Impl",
"com.fasterxml.jackson.databind.ser.std.NullSerializer",
"com.fasterxml.jackson.databind.ser.SerializerCache",
"com.fasterxml.jackson.databind.DeserializationContext",
"com.fasterxml.jackson.databind.deser.DefaultDeserializationContext",
"com.fasterxml.jackson.databind.deser.DefaultDeserializationContext$Impl",
"com.fasterxml.jackson.databind.deser.DeserializerFactory",
"com.fasterxml.jackson.databind.PropertyName",
"com.fasterxml.jackson.databind.deser.BasicDeserializerFactory",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializers",
"com.fasterxml.jackson.databind.cfg.DeserializerFactoryConfig",
"com.fasterxml.jackson.databind.deser.BeanDeserializerFactory",
"com.fasterxml.jackson.databind.deser.DeserializerCache",
"com.fasterxml.jackson.databind.ser.SerializerFactory",
"com.fasterxml.jackson.databind.ser.std.StdScalarSerializer",
"com.fasterxml.jackson.databind.ser.std.NonTypedScalarSerializerBase",
"com.fasterxml.jackson.databind.ser.std.StringSerializer",
"com.fasterxml.jackson.databind.ser.std.ToStringSerializer",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$Base",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$IntegerSerializer",
"com.fasterxml.jackson.core.JsonParser$NumberType",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$LongSerializer",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$IntLikeSerializer",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$ShortSerializer",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$FloatSerializer",
"com.fasterxml.jackson.databind.ser.std.NumberSerializers$DoubleSerializer",
"com.fasterxml.jackson.databind.ser.std.BooleanSerializer",
"com.fasterxml.jackson.databind.ser.std.NumberSerializer",
"com.fasterxml.jackson.databind.ser.std.DateTimeSerializerBase",
"com.fasterxml.jackson.databind.ser.std.CalendarSerializer",
"com.fasterxml.jackson.databind.ser.std.DateSerializer",
"com.fasterxml.jackson.databind.ser.std.StdJdkSerializers",
"com.fasterxml.jackson.databind.ser.std.UUIDSerializer",
"com.fasterxml.jackson.databind.ser.BasicSerializerFactory",
"com.fasterxml.jackson.databind.cfg.SerializerFactoryConfig",
"com.fasterxml.jackson.databind.ser.BeanSerializerFactory",
"com.fasterxml.jackson.core.JsonStreamContext",
"com.fasterxml.jackson.dataformat.xml.deser.XmlReadContext",
"com.fasterxml.jackson.dataformat.xml.deser.XmlTokenStream",
"com.fasterxml.jackson.databind.MappingJsonFactory",
"com.fasterxml.jackson.databind.introspect.VisibilityChecker$1",
"com.fasterxml.jackson.databind.ObjectReader",
"com.fasterxml.jackson.databind.util.LinkedNode",
"com.fasterxml.jackson.databind.introspect.AnnotationMap",
"com.fasterxml.jackson.databind.util.ArrayIterator",
"com.fasterxml.jackson.databind.JsonDeserializer",
"com.fasterxml.jackson.databind.deser.std.StdDeserializer",
"com.fasterxml.jackson.databind.deser.std.StdScalarDeserializer",
"com.fasterxml.jackson.databind.deser.std.StringDeserializer",
"com.fasterxml.jackson.databind.ser.FilterProvider",
"com.fasterxml.jackson.databind.ser.impl.SimpleFilterProvider",
"com.fasterxml.jackson.databind.InjectableValues",
"com.fasterxml.jackson.databind.InjectableValues$Std",
"com.fasterxml.jackson.dataformat.xml.ser.ToXmlGenerator$Feature",
"com.fasterxml.jackson.core.util.JsonParserDelegate",
"com.fasterxml.jackson.core.filter.TokenFilter",
"com.fasterxml.jackson.databind.JsonSerializable$Base",
"com.fasterxml.jackson.databind.JsonNode",
"com.fasterxml.jackson.databind.node.BaseJsonNode",
"com.fasterxml.jackson.databind.node.ValueNode",
"com.fasterxml.jackson.databind.node.NullNode",
"com.fasterxml.jackson.databind.jsontype.impl.StdTypeResolverBuilder",
"com.fasterxml.jackson.databind.ObjectMapper$DefaultTypeResolverBuilder",
"com.fasterxml.jackson.annotation.JsonTypeInfo$Id",
"com.fasterxml.jackson.databind.type.ClassKey",
"com.fasterxml.jackson.core.type.TypeReference",
"com.fasterxml.jackson.databind.node.ContainerNode",
"com.fasterxml.jackson.databind.node.ObjectNode",
"com.fasterxml.jackson.databind.deser.DeserializationProblemHandler",
"com.fasterxml.jackson.core.io.InputDecorator",
"com.fasterxml.jackson.annotation.ObjectIdGenerator",
"com.fasterxml.jackson.databind.type.ResolvedRecursiveType",
"com.fasterxml.jackson.databind.util.ClassUtil$EmptyIterator",
"com.fasterxml.jackson.databind.util.ClassUtil",
"com.fasterxml.jackson.databind.introspect.POJOPropertiesCollector",
"com.fasterxml.jackson.databind.util.ClassUtil$ClassMetadata",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$PrimitiveOrWrapperDeserializer",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$IntegerDeserializer",
"com.fasterxml.jackson.databind.type.ClassStack",
"com.fasterxml.jackson.databind.PropertyNamingStrategy$PropertyNamingStrategyBase",
"com.fasterxml.jackson.databind.PropertyNamingStrategy$SnakeCaseStrategy",
"com.fasterxml.jackson.databind.PropertyNamingStrategy$UpperCamelCaseStrategy",
"com.fasterxml.jackson.databind.PropertyNamingStrategy$LowerCaseStrategy",
"com.fasterxml.jackson.databind.PropertyNamingStrategy$KebabCaseStrategy",
"com.fasterxml.jackson.databind.PropertyNamingStrategy",
"com.fasterxml.jackson.databind.deser.DataFormatReaders",
"com.fasterxml.jackson.core.format.MatchStrength",
"com.fasterxml.jackson.databind.BeanProperty",
"com.fasterxml.jackson.core.JsonGenerator",
"com.fasterxml.jackson.core.base.GeneratorBase",
"com.fasterxml.jackson.core.io.CharTypes",
"com.fasterxml.jackson.core.json.JsonGeneratorImpl",
"com.fasterxml.jackson.core.json.UTF8JsonGenerator",
"com.fasterxml.jackson.core.json.JsonWriteContext",
"com.fasterxml.jackson.databind.deser.std.UntypedObjectDeserializer",
"com.fasterxml.jackson.databind.type.TypeBindings$TypeParamStash",
"com.fasterxml.jackson.databind.type.CollectionLikeType",
"com.fasterxml.jackson.databind.type.CollectionType",
"com.fasterxml.jackson.databind.deser.impl.CreatorCollector",
"com.fasterxml.jackson.databind.util.ClassUtil$Ctor",
"com.fasterxml.jackson.databind.introspect.AnnotatedMember",
"com.fasterxml.jackson.databind.introspect.AnnotatedWithParams",
"com.fasterxml.jackson.databind.introspect.AnnotatedConstructor",
"com.fasterxml.jackson.databind.introspect.AnnotatedMethod",
"com.fasterxml.jackson.annotation.JsonCreator$Mode",
"com.fasterxml.jackson.databind.introspect.AnnotatedParameter",
"com.fasterxml.jackson.annotation.JsonAutoDetect$1",
"com.fasterxml.jackson.databind.deser.ValueInstantiator",
"com.fasterxml.jackson.databind.deser.std.StdValueInstantiator",
"com.fasterxml.jackson.databind.deser.std.ContainerDeserializerBase",
"com.fasterxml.jackson.databind.deser.std.CollectionDeserializer",
"com.fasterxml.jackson.databind.type.MapLikeType",
"com.fasterxml.jackson.databind.type.MapType",
"com.fasterxml.jackson.databind.deser.std.MapDeserializer",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$NumberDeserializer",
"com.fasterxml.jackson.databind.deser.std.UntypedObjectDeserializer$Vanilla",
"com.fasterxml.jackson.core.json.ByteSourceJsonBootstrapper",
"com.fasterxml.jackson.core.base.ParserBase",
"com.fasterxml.jackson.core.json.ReaderBasedJsonParser",
"com.fasterxml.jackson.core.util.TextBuffer",
"com.fasterxml.jackson.core.json.JsonReadContext",
"com.fasterxml.jackson.core.JsonProcessingException",
"com.fasterxml.jackson.core.JsonParseException",
"com.fasterxml.jackson.core.JsonLocation",
"com.fasterxml.jackson.core.filter.JsonPointerBasedFilter",
"com.fasterxml.jackson.core.JsonPointer",
"com.fasterxml.jackson.databind.deser.std.EnumDeserializer",
"com.fasterxml.jackson.databind.introspect.TypeResolutionContext$Basic",
"com.fasterxml.jackson.databind.introspect.AnnotatedField",
"com.fasterxml.jackson.databind.introspect.BeanPropertyDefinition",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder",
"com.fasterxml.jackson.core.util.InternCache",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$Linked",
"com.fasterxml.jackson.databind.introspect.AnnotatedMethodMap",
"com.fasterxml.jackson.databind.introspect.MemberKey",
"com.fasterxml.jackson.databind.util.BeanUtil",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$9",
"com.fasterxml.jackson.annotation.JsonProperty$Access",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$10",
"com.fasterxml.jackson.databind.util.EnumResolver",
"com.fasterxml.jackson.databind.util.CompactStringObjectMap",
"com.fasterxml.jackson.databind.deser.std.DateDeserializers",
"com.fasterxml.jackson.databind.ext.OptionalHandlerFactory",
"com.fasterxml.jackson.databind.deser.std.FromStringDeserializer",
"com.fasterxml.jackson.databind.deser.std.JdkDeserializers",
"com.fasterxml.jackson.databind.deser.BeanDeserializerBuilder",
"com.fasterxml.jackson.databind.util.ArrayBuilders",
"com.fasterxml.jackson.databind.deser.impl.BeanPropertyMap",
"com.fasterxml.jackson.databind.deser.BeanDeserializerBase",
"com.fasterxml.jackson.databind.deser.BeanDeserializer",
"com.fasterxml.jackson.databind.util.TokenBuffer",
"com.fasterxml.jackson.databind.util.TokenBuffer$Segment",
"com.fasterxml.jackson.databind.ser.impl.ReadOnlyClassToSerializerMap",
"com.fasterxml.jackson.databind.util.TypeKey",
"com.fasterxml.jackson.databind.ser.BeanSerializerBuilder",
"com.fasterxml.jackson.databind.ser.PropertyBuilder",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$3",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$2",
"com.fasterxml.jackson.databind.BeanProperty$Std",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$4",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$5",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$6",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$7",
"com.fasterxml.jackson.databind.PropertyMetadata",
"com.fasterxml.jackson.databind.ser.PropertyBuilder$1",
"com.fasterxml.jackson.databind.introspect.ConcreteBeanPropertyBase",
"com.fasterxml.jackson.databind.ser.PropertyWriter",
"com.fasterxml.jackson.databind.ser.BeanPropertyWriter",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$1",
"com.fasterxml.jackson.databind.ser.impl.PropertySerializerMap",
"com.fasterxml.jackson.databind.ser.impl.PropertySerializerMap$Empty",
"com.fasterxml.jackson.databind.ser.std.BeanSerializerBase",
"com.fasterxml.jackson.databind.ser.BeanSerializer",
"com.fasterxml.jackson.databind.type.ArrayType",
"com.fasterxml.jackson.databind.ser.std.ClassSerializer",
"com.fasterxml.jackson.databind.ser.impl.PropertySerializerMap$SerializerAndMapResult",
"com.fasterxml.jackson.databind.ser.impl.PropertySerializerMap$Single",
"com.fasterxml.jackson.annotation.ObjectIdGenerators$Base",
"com.fasterxml.jackson.annotation.ObjectIdGenerators$IntSequenceGenerator",
"com.fasterxml.jackson.core.util.ByteArrayBuilder",
"com.fasterxml.jackson.core.json.DupDetector",
"com.fasterxml.jackson.databind.node.ArrayNode",
"com.fasterxml.jackson.databind.node.BinaryNode",
"com.fasterxml.jackson.databind.node.TreeTraversingParser",
"com.fasterxml.jackson.databind.node.JsonNodeType",
"com.fasterxml.jackson.databind.node.NodeCursor",
"com.fasterxml.jackson.databind.node.NodeCursor$RootCursor",
"com.fasterxml.jackson.core.io.OutputDecorator",
"com.fasterxml.jackson.databind.ser.Serializers$Base",
"com.fasterxml.jackson.core.filter.FilteringParserDelegate",
"com.fasterxml.jackson.core.filter.TokenFilterContext",
"com.fasterxml.jackson.databind.introspect.NopAnnotationIntrospector$1",
"com.fasterxml.jackson.databind.introspect.NopAnnotationIntrospector",
"com.fasterxml.jackson.databind.deser.std.BaseNodeDeserializer",
"com.fasterxml.jackson.databind.deser.std.JsonNodeDeserializer",
"com.fasterxml.jackson.databind.ObjectMapper$2",
"com.fasterxml.jackson.databind.ser.std.SerializableSerializer",
"com.fasterxml.jackson.databind.type.ReferenceType",
"com.fasterxml.jackson.core.util.JsonParserSequence",
"com.fasterxml.jackson.databind.deser.ValueInstantiators$Base",
"com.fasterxml.jackson.databind.Module",
"com.fasterxml.jackson.module.jaxb.JaxbAnnotationModule",
"com.fasterxml.jackson.module.jaxb.JaxbAnnotationModule$Priority",
"com.fasterxml.jackson.module.jaxb.PackageVersion",
"com.fasterxml.jackson.databind.ObjectMapper$1",
"com.fasterxml.jackson.module.jaxb.JaxbAnnotationIntrospector",
"com.fasterxml.jackson.module.jaxb.ser.DataHandlerJsonSerializer",
"com.fasterxml.jackson.module.jaxb.deser.DataHandlerJsonDeserializer",
"com.fasterxml.jackson.module.jaxb.JaxbAnnotationModule$1",
"com.fasterxml.jackson.databind.introspect.AnnotationIntrospectorPair",
"com.fasterxml.jackson.core.util.JsonGeneratorDelegate",
"com.fasterxml.jackson.core.filter.FilteringGeneratorDelegate",
"com.fasterxml.jackson.core.json.UTF8StreamJsonParser",
"com.fasterxml.jackson.databind.module.SimpleModule",
"com.fasterxml.jackson.core.util.MinimalPrettyPrinter",
"com.fasterxml.jackson.databind.deser.Deserializers$Base",
"com.fasterxml.jackson.databind.ext.CoreXMLDeserializers",
"com.fasterxml.jackson.databind.deser.impl.FailingDeserializer",
"com.fasterxml.jackson.databind.deser.SettableBeanProperty",
"com.fasterxml.jackson.databind.deser.impl.MethodProperty",
"com.fasterxml.jackson.databind.introspect.POJOPropertyBuilder$8",
"com.fasterxml.jackson.databind.deser.AbstractDeserializer",
"com.fasterxml.jackson.databind.ObjectWriter",
"com.fasterxml.jackson.databind.ObjectWriter$GeneratorSettings",
"com.fasterxml.jackson.databind.ObjectWriter$Prefetch",
"com.fasterxml.jackson.databind.node.NumericNode",
"com.fasterxml.jackson.databind.node.IntNode",
"com.fasterxml.jackson.databind.ser.BeanSerializerModifier",
"com.fasterxml.jackson.dataformat.xml.ser.XmlBeanSerializerModifier",
"com.fasterxml.jackson.databind.module.SimpleSerializers",
"com.fasterxml.jackson.core.json.WriterBasedJsonGenerator",
"com.fasterxml.jackson.core.io.SegmentedStringWriter",
"com.fasterxml.jackson.databind.ser.std.EnumSerializer",
"com.fasterxml.jackson.databind.util.EnumValues",
"com.fasterxml.jackson.core.io.JsonStringEncoder",
"com.fasterxml.jackson.databind.node.POJONode",
"com.fasterxml.jackson.core.format.InputAccessor$Std",
"com.fasterxml.jackson.databind.node.BigIntegerNode",
"com.fasterxml.jackson.core.json.PackageVersion",
"com.fasterxml.jackson.databind.node.ShortNode",
"com.fasterxml.jackson.databind.ext.CoreXMLDeserializers$Std",
"com.fasterxml.jackson.databind.module.SimpleDeserializers",
"com.fasterxml.jackson.databind.jsontype.NamedType",
"com.fasterxml.jackson.databind.ser.impl.SimpleBeanPropertyFilter",
"com.fasterxml.jackson.databind.ser.impl.SimpleBeanPropertyFilter$SerializeExceptFilter",
"com.fasterxml.jackson.databind.deser.BeanDeserializerModifier",
"com.fasterxml.jackson.dataformat.xml.deser.XmlBeanDeserializerModifier",
"com.fasterxml.jackson.databind.AbstractTypeResolver",
"com.fasterxml.jackson.databind.module.SimpleAbstractTypeResolver",
"com.fasterxml.jackson.databind.node.DecimalNode",
"com.fasterxml.jackson.databind.node.FloatNode",
"com.fasterxml.jackson.databind.type.TypeModifier",
"com.fasterxml.jackson.databind.introspect.VirtualAnnotatedMember",
"com.fasterxml.jackson.databind.deser.impl.SetterlessProperty",
"com.fasterxml.jackson.databind.node.LongNode",
"com.fasterxml.jackson.databind.deser.std.JsonLocationInstantiator",
"com.fasterxml.jackson.databind.ser.impl.SimpleBeanPropertyFilter$FilterExceptFilter",
"com.fasterxml.jackson.databind.cfg.PackageVersion",
"com.fasterxml.jackson.annotation.JsonFormat$Feature",
"com.fasterxml.jackson.databind.deser.std.FromStringDeserializer$Std",
"com.fasterxml.jackson.databind.cfg.HandlerInstantiator",
"com.fasterxml.jackson.databind.jsontype.impl.StdTypeResolverBuilder$1",
"com.fasterxml.jackson.databind.jsontype.impl.TypeIdResolverBase",
"com.fasterxml.jackson.databind.jsontype.impl.ClassNameIdResolver",
"com.fasterxml.jackson.databind.jsontype.TypeSerializer",
"com.fasterxml.jackson.databind.jsontype.impl.TypeSerializerBase",
"com.fasterxml.jackson.databind.jsontype.impl.AsArrayTypeSerializer",
"com.fasterxml.jackson.databind.jsontype.impl.AsPropertyTypeSerializer",
"com.fasterxml.jackson.core.io.MergedStream",
"com.fasterxml.jackson.databind.module.SimpleValueInstantiators",
"com.fasterxml.jackson.databind.node.DoubleNode",
"com.fasterxml.jackson.databind.MappingIterator",
"com.fasterxml.jackson.databind.deser.impl.FieldProperty",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$DoubleDeserializer",
"com.fasterxml.jackson.databind.jsontype.TypeDeserializer",
"com.fasterxml.jackson.databind.jsontype.impl.TypeDeserializerBase",
"com.fasterxml.jackson.databind.jsontype.impl.AsArrayTypeDeserializer",
"com.fasterxml.jackson.databind.deser.impl.TypeWrappedDeserializer",
"com.fasterxml.jackson.databind.ser.impl.ObjectIdWriter",
"com.fasterxml.jackson.core.io.UTF32Reader",
"com.fasterxml.jackson.databind.jsonFormatVisitors.JsonFormatVisitorWrapper$Base",
"com.fasterxml.jackson.databind.type.TypeParser$MyTokenizer",
"com.fasterxml.jackson.databind.KeyDeserializer",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer",
"com.fasterxml.jackson.databind.module.SimpleKeyDeserializers",
"com.fasterxml.jackson.databind.node.BooleanNode",
"com.fasterxml.jackson.databind.node.NodeCursor$ObjectCursor",
"com.fasterxml.jackson.databind.deser.std.StringArrayDeserializer",
"com.fasterxml.jackson.databind.jsontype.impl.AsPropertyTypeDeserializer",
"com.fasterxml.jackson.annotation.ObjectIdGenerators$StringIdGenerator",
"com.fasterxml.jackson.databind.util.TokenBuffer$Parser",
"com.fasterxml.jackson.databind.node.TextNode",
"com.fasterxml.jackson.databind.node.NodeCursor$ArrayCursor",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$BooleanDeserializer",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$LongDeserializer",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer$StringKD",
"com.fasterxml.jackson.databind.ser.impl.TypeWrappedSerializer",
"com.fasterxml.jackson.databind.ser.impl.ReadOnlyClassToSerializerMap$Bucket",
"com.fasterxml.jackson.databind.deser.std.ObjectArrayDeserializer",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$ShortDeserializer",
"com.fasterxml.jackson.core.io.NumberOutput",
"com.fasterxml.jackson.databind.deser.std.StdKeyDeserializer$EnumKD",
"com.fasterxml.jackson.databind.jsontype.impl.AsWrapperTypeDeserializer",
"com.fasterxml.jackson.databind.deser.BeanDeserializer$1",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$ByteDeserializer",
"com.fasterxml.jackson.databind.deser.std.NumberDeserializers$FloatDeserializer",
"com.fasterxml.jackson.databind.node.MissingNode",
"com.fasterxml.jackson.databind.deser.impl.CreatorCollector$Vanilla",
"com.fasterxml.jackson.databind.ser.ContainerSerializer",
"com.fasterxml.jackson.databind.ser.std.AsArraySerializerBase",
"com.fasterxml.jackson.databind.ser.std.CollectionSerializer",
"com.fasterxml.jackson.databind.ext.CoreXMLSerializers",
"com.fasterxml.jackson.databind.ser.std.ArraySerializerBase",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$BooleanArraySerializer",
"com.fasterxml.jackson.databind.ser.std.ByteArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$CharArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$TypedPrimitiveArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$ShortArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$IntArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$LongArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$FloatArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers$DoubleArraySerializer",
"com.fasterxml.jackson.databind.ser.std.StdArraySerializers",
"com.fasterxml.jackson.databind.MapperFeature",
"com.fasterxml.jackson.databind.SerializationFeature",
"com.fasterxml.jackson.databind.DeserializationFeature"
);
}
}
| [
"pouria.derakhshanfar@gmail.com"
] | pouria.derakhshanfar@gmail.com |
48d13c80d26ffbce5dc8d7fe1431a9715ed7fae5 | ea82d415f67b84830d60d30d8ddbef5c6a7c7767 | /src/task/IStorage.java | 0a2b47bd3373f0ddc222d1e90c228edd7dcef000 | [] | no_license | NUMASimulator/NUMAModel | 35cf24ced4d3299f1c6122468dcf9c2ca495ff42 | 34f636ad0a66269eac0ca5371cf0eaeb9244301a | refs/heads/master | 2020-05-17T18:53:28.179762 | 2018-04-09T13:53:28 | 2018-04-09T13:53:28 | 38,310,847 | 5 | 0 | null | null | null | null | UTF-8 | Java | false | false | 327 | 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 task;
/**
*
* @author Abed MAATALLA
*/
public interface IStorage extends ITask{
public static String type = "storage";
}
| [
"abedmaatalla@gmail.com"
] | abedmaatalla@gmail.com |
6187ef614bc275621420fc2ffc6cc686d98b9035 | 83f6a947b53cd91a97b6a3a47213805279ee4888 | /core/src/main/java/com/pierfrancescosoffritti/androidyoutubeplayer/player/YouTubePlayer.java | bc929b59a2eddc7681ddfbac395335e68b779bee | [] | no_license | Std1o/LuckyTube | e424394a306f7f1d94b34c2bf695f5ce76f96b6b | 2b0fbb6080faba67f5b6b50548c729ca9fee606a | refs/heads/master | 2020-05-05T12:00:46.843036 | 2019-07-24T16:07:49 | 2019-07-24T16:07:49 | 180,011,632 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,250 | java | package com.pierfrancescosoffritti.androidyoutubeplayer.player;
import android.support.annotation.NonNull;
import com.pierfrancescosoffritti.androidyoutubeplayer.player.listeners.YouTubePlayerListener;
public interface YouTubePlayer {
/**
* Loads and automatically plays the specified video.
* @param videoId id of the video
* @param startSeconds the time from which the video should start playing
*/
void loadVideo(@NonNull final String videoId, final float startSeconds);
/**
* Loads the specified video's thumbnail and prepares the player to play the video. Does not automatically play the video.
* @param videoId id of the video
* @param startSeconds the time from which the video should start playing
*/
void cueVideo(@NonNull final String videoId, final float startSeconds);
void play();
void pause();
/**
* @param volumePercent Integer between 0 and 100
*/
void setVolume(final int volumePercent);
/**
*
* @param time The absolute time in seconds to seek to
*/
void seekTo(final float time);
boolean addListener(@NonNull YouTubePlayerListener listener);
boolean removeListener(@NonNull YouTubePlayerListener listener);
}
| [
"microoft2015@yandex.ru"
] | microoft2015@yandex.ru |
f9d3dad786eab6accbec48fcc79c8fea00dd069a | 065c1f648e8dd061a20147ff9c0dbb6b5bc8b9be | /eclipseswt_cluster/32681/tar_0.java | 547269edaca30a98ad2d5930b45da67567dacb86 | [] | no_license | martinezmatias/GenPat-data-C3 | 63cfe27efee2946831139747e6c20cf952f1d6f6 | b360265a6aa3bb21bd1d64f1fc43c3b37d0da2a4 | refs/heads/master | 2022-04-25T17:59:03.905613 | 2020-04-15T14:41:34 | 2020-04-15T14:41:34 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 19,462 | java | /*******************************************************************************
* Copyright (c) 2000, 2008 IBM Corporation and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* IBM Corporation - initial API and implementation
*******************************************************************************/
package org.eclipse.swt.printing;
import org.eclipse.swt.*;
import org.eclipse.swt.graphics.*;
import org.eclipse.swt.internal.cocoa.*;
/**
* Instances of this class are used to print to a printer.
* Applications create a GC on a printer using <code>new GC(printer)</code>
* and then draw on the printer GC using the usual graphics calls.
* <p>
* A <code>Printer</code> object may be constructed by providing
* a <code>PrinterData</code> object which identifies the printer.
* A <code>PrintDialog</code> presents a print dialog to the user
* and returns an initialized instance of <code>PrinterData</code>.
* Alternatively, calling <code>new Printer()</code> will construct a
* printer object for the user's default printer.
* </p><p>
* Application code must explicitly invoke the <code>Printer.dispose()</code>
* method to release the operating system resources managed by each instance
* when those instances are no longer required.
* </p>
*
* @see PrinterData
* @see PrintDialog
* @see <a href="http://www.eclipse.org/swt/snippets/#printing">Printing snippets</a>
* @see <a href="http://www.eclipse.org/swt/">Sample code and further information</a>
*/
public final class Printer extends Device {
PrinterData data;
NSPrinter printer;
NSPrintInfo printInfo;
NSPrintOperation operation;
NSView view;
NSWindow window;
boolean isGCCreated;
static final String DRIVER = "Mac";
/**
* Returns an array of <code>PrinterData</code> objects
* representing all available printers.
*
* @return the list of available printers
*/
public static PrinterData[] getPrinterList() {
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
NSArray printers = NSPrinter.printerNames();
int count = (int)/*64*/printers.count();
PrinterData[] result = new PrinterData[count];
for (int i = 0; i < count; i++) {
NSString str = new NSString(printers.objectAtIndex(i));
result[i] = new PrinterData(DRIVER, str.getString());
}
return result;
} finally {
if (pool != null) pool.release();
}
}
/**
* Returns a <code>PrinterData</code> object representing
* the default printer or <code>null</code> if there is no
* printer available on the System.
*
* @return the default printer data or null
*
* @since 2.1
*/
public static PrinterData getDefaultPrinterData() {
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
NSPrinter printer = NSPrintInfo.defaultPrinter();
if (printer == null) return null;
NSString str = printer.name();
return new PrinterData(DRIVER, str.getString());
} finally {
if (pool != null) pool.release();
}
}
/**
* Constructs a new printer representing the default printer.
* <p>
* You must dispose the printer when it is no longer required.
* </p>
*
* @exception SWTError <ul>
* <li>ERROR_NO_HANDLES - if there are no valid printers
* </ul>
*
* @see Device#dispose
*/
public Printer() {
this(null);
}
/**
* Constructs a new printer given a <code>PrinterData</code>
* object representing the desired printer.
* <p>
* You must dispose the printer when it is no longer required.
* </p>
*
* @param data the printer data for the specified printer
*
* @exception IllegalArgumentException <ul>
* <li>ERROR_INVALID_ARGUMENT - if the specified printer data does not represent a valid printer
* </ul>
* @exception SWTError <ul>
* <li>ERROR_NO_HANDLES - if there are no valid printers
* </ul>
*
* @see Device#dispose
*/
public Printer(PrinterData data) {
super (checkNull(data));
}
/**
* Given a <em>client area</em> (as described by the arguments),
* returns a rectangle, relative to the client area's coordinates,
* that is the client area expanded by the printer's trim (or minimum margins).
* <p>
* Most printers have a minimum margin on each edge of the paper where the
* printer device is unable to print. This margin is known as the "trim."
* This method can be used to calculate the printer's minimum margins
* by passing in a client area of 0, 0, 0, 0 and then using the resulting
* x and y coordinates (which will be <= 0) to determine the minimum margins
* for the top and left edges of the paper, and the resulting width and height
* (offset by the resulting x and y) to determine the minimum margins for the
* bottom and right edges of the paper, as follows:
* <ul>
* <li>The left trim width is -x pixels</li>
* <li>The top trim height is -y pixels</li>
* <li>The right trim width is (x + width) pixels</li>
* <li>The bottom trim height is (y + height) pixels</li>
* </ul>
* </p>
*
* @param x the x coordinate of the client area
* @param y the y coordinate of the client area
* @param width the width of the client area
* @param height the height of the client area
* @return a rectangle, relative to the client area's coordinates, that is
* the client area expanded by the printer's trim (or minimum margins)
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #getBounds
* @see #getClientArea
*/
public Rectangle computeTrim(int x, int y, int width, int height) {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
NSSize paperSize = printInfo.paperSize();
NSRect bounds = printInfo.imageablePageBounds();
Point dpi = getDPI (), screenDPI = getIndependentDPI();
float scaling = scalingFactor();
x -= (bounds.x * dpi.x / screenDPI.x) / scaling;
y -= (bounds.y * dpi.y / screenDPI.y) / scaling;
width += ((paperSize.width - bounds.width) * dpi.x / screenDPI.x) / scaling;
height += ((paperSize.height - bounds.height) * dpi.y / screenDPI.y) / scaling;
return new Rectangle(x, y, width, height);
} finally {
if (pool != null) pool.release();
}
}
/**
* Creates the printer handle.
* This method is called internally by the instance creation
* mechanism of the <code>Device</code> class.
* @param deviceData the device data
*/
protected void create(DeviceData deviceData) {
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
data = (PrinterData)deviceData;
if (data.otherData != null) {
NSData nsData = NSData.dataWithBytes(data.otherData, data.otherData.length);
printInfo = new NSPrintInfo(NSKeyedUnarchiver.unarchiveObjectWithData(nsData).id);
} else {
printInfo = NSPrintInfo.sharedPrintInfo();
}
printInfo.retain();
printer = NSPrinter.printerWithName(NSString.stringWith(data.name));
if (printer != null) {
printer.retain();
printInfo.setPrinter(printer);
}
printInfo.setOrientation(data.orientation == PrinterData.LANDSCAPE ? OS.NSLandscapeOrientation : OS.NSPortraitOrientation);
NSMutableDictionary dict = printInfo.dictionary();
if (data.collate != false) dict.setValue(NSNumber.numberWithBool(data.collate), OS.NSPrintMustCollate);
if (data.copyCount != 1) dict.setValue(NSNumber.numberWithInt(data.copyCount), OS.NSPrintCopies);
if (data.printToFile) {
dict.setValue(OS.NSPrintSaveJob, OS.NSPrintJobDisposition);
if (data.fileName != null) dict.setValue(NSString.stringWith(data.fileName), OS.NSPrintSavePath);
}
/*
* Bug in Cocoa. For some reason, the output still goes to the printer when
* the user chooses the preview button. The fix is to reset the job disposition.
*/
NSString job = printInfo.jobDisposition();
if (job.isEqual(new NSString(OS.NSPrintPreviewJob()))) {
printInfo.setJobDisposition(job);
}
NSRect rect = new NSRect();
window = (NSWindow)new NSWindow().alloc();
window.initWithContentRect(rect, OS.NSBorderlessWindowMask, OS.NSBackingStoreBuffered, false);
String className = "SWTPrinterView"; //$NON-NLS-1$
if (OS.objc_lookUpClass(className) == 0) {
int /*long*/ cls = OS.objc_allocateClassPair(OS.class_NSView, className, 0);
OS.class_addMethod(cls, OS.sel_isFlipped, OS.isFlipped_CALLBACK(), "@:");
OS.objc_registerClassPair(cls);
}
view = (NSView)new SWTPrinterView().alloc();
view.initWithFrame(rect);
window.setContentView(view);
operation = NSPrintOperation.printOperationWithView(view, printInfo);
operation.retain();
operation.setShowsPrintPanel(false);
operation.setShowsProgressPanel(false);
} finally {
if (pool != null) pool.release();
}
}
/**
* Destroys the printer handle.
* This method is called internally by the dispose
* mechanism of the <code>Device</code> class.
*/
protected void destroy() {
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
if (printer != null) printer.release();
if (printInfo != null) printInfo.release();
if (view != null) view.release();
if (window != null) window.release();
if (operation != null) operation.release();
printer = null;
printInfo = null;
view = null;
window = null;
operation = null;
} finally {
if (pool != null) pool.release();
}
}
/**
* Invokes platform specific functionality to allocate a new GC handle.
* <p>
* <b>IMPORTANT:</b> This method is <em>not</em> part of the public
* API for <code>Printer</code>. It is marked public only so that it
* can be shared within the packages provided by SWT. It is not
* available on all platforms, and should never be called from
* application code.
* </p>
*
* @param data the platform specific GC data
* @return the platform specific GC handle
*/
public int /*long*/ internal_new_GC(GCData data) {
if (isDisposed()) SWT.error(SWT.ERROR_GRAPHIC_DISPOSED);
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
if (data != null) {
if (isGCCreated) SWT.error(SWT.ERROR_INVALID_ARGUMENT);
data.device = this;
data.background = getSystemColor(SWT.COLOR_WHITE).handle;
data.foreground = getSystemColor(SWT.COLOR_BLACK).handle;
data.font = getSystemFont ();
float scaling = scalingFactor();
Point dpi = getDPI (), screenDPI = getIndependentDPI();
NSSize size = printInfo.paperSize();
size.width = (size.width * (dpi.x / screenDPI.x)) / scaling;
size.height = (size.height * dpi.y / screenDPI.y) / scaling;
data.size = size;
isGCCreated = true;
}
return operation.context().id;
} finally {
if (pool != null) pool.release();
}
}
protected void init () {
super.init();
}
/**
* Invokes platform specific functionality to dispose a GC handle.
* <p>
* <b>IMPORTANT:</b> This method is <em>not</em> part of the public
* API for <code>Printer</code>. It is marked public only so that it
* can be shared within the packages provided by SWT. It is not
* available on all platforms, and should never be called from
* application code.
* </p>
*
* @param hDC the platform specific GC handle
* @param data the platform specific GC data
*/
public void internal_dispose_GC(int /*long*/ context, GCData data) {
if (data != null) isGCCreated = false;
}
/**
* Releases any internal state prior to destroying this printer.
* This method is called internally by the dispose
* mechanism of the <code>Device</code> class.
*/
protected void release () {
super.release();
}
float scalingFactor() {
return new NSNumber(printInfo.dictionary().objectForKey(OS.NSPrintScalingFactor)).floatValue();
}
/**
* Starts a print job and returns true if the job started successfully
* and false otherwise.
* <p>
* This must be the first method called to initiate a print job,
* followed by any number of startPage/endPage calls, followed by
* endJob. Calling startPage, endPage, or endJob before startJob
* will result in undefined behavior.
* </p>
*
* @param jobName the name of the print job to start
* @return true if the job started successfully and false otherwise.
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #startPage
* @see #endPage
* @see #endJob
*/
public boolean startJob(String jobName) {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
if (jobName != null && jobName.length() != 0) {
operation.setJobTitle(NSString.stringWith(jobName));
}
printInfo.setUpPrintOperationDefaultValues();
NSPrintOperation.setCurrentOperation(operation);
NSGraphicsContext context = operation.createContext();
if (context != null) {
view.beginDocument();
return true;
}
return false;
} finally {
if (pool != null) pool.release();
}
}
/**
* Ends the current print job.
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #startJob
* @see #startPage
* @see #endPage
*/
public void endJob() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
view.endDocument();
operation.deliverResult();
operation.destroyContext();
operation.cleanUpOperation();
} finally {
if (pool != null) pool.release();
}
}
/**
* Cancels a print job in progress.
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*/
public void cancelJob() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
operation.destroyContext();
operation.cleanUpOperation();
} finally {
if (pool != null) pool.release();
}
}
static DeviceData checkNull (PrinterData data) {
if (data == null) data = new PrinterData();
if (data.driver == null || data.name == null) {
PrinterData defaultPrinter = getDefaultPrinterData();
if (defaultPrinter == null) SWT.error(SWT.ERROR_NO_HANDLES);
data.driver = defaultPrinter.driver;
data.name = defaultPrinter.name;
}
return data;
}
/**
* Starts a page and returns true if the page started successfully
* and false otherwise.
* <p>
* After calling startJob, this method may be called any number of times
* along with a matching endPage.
* </p>
*
* @return true if the page started successfully and false otherwise.
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #endPage
* @see #startJob
* @see #endJob
*/
public boolean startPage() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
float scaling = scalingFactor();
NSSize paperSize = printInfo.paperSize();
paperSize.width /= scaling;
paperSize.height /= scaling;
NSRect rect = new NSRect();
rect.width = paperSize.width;
rect.height = paperSize.height;
view.beginPageInRect(rect, new NSPoint());
NSRect imageBounds = printInfo.imageablePageBounds();
imageBounds.x /= scaling;
imageBounds.y /= scaling;
imageBounds.width /= scaling;
imageBounds.height /= scaling;
NSBezierPath.bezierPathWithRect(imageBounds).setClip();
NSAffineTransform transform = NSAffineTransform.transform();
transform.translateXBy(imageBounds.x, imageBounds.y);
Point dpi = getDPI (), screenDPI = getIndependentDPI();
transform.scaleXBy(screenDPI.x / (float)dpi.x, screenDPI.y / (float)dpi.y);
transform.concat();
operation.context().saveGraphicsState();
return true;
} finally {
if (pool != null) pool.release();
}
}
/**
* Ends the current page.
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #startPage
* @see #startJob
* @see #endJob
*/
public void endPage() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
operation.context().restoreGraphicsState();
view.endPage();
} finally {
if (pool != null) pool.release();
}
}
/**
* Returns a point whose x coordinate is the horizontal
* dots per inch of the printer, and whose y coordinate
* is the vertical dots per inch of the printer.
*
* @return the horizontal and vertical DPI
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*/
public Point getDPI() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
//TODO get output resolution
return getIndependentDPI();
} finally {
if (pool != null) pool.release();
}
}
Point getIndependentDPI() {
return super.getDPI();
}
/**
* Returns a rectangle describing the receiver's size and location.
* <p>
* For a printer, this is the size of the physical page, in pixels.
* </p>
*
* @return the bounding rectangle
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #getClientArea
* @see #computeTrim
*/
public Rectangle getBounds() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
NSSize size = printInfo.paperSize();
float scaling = scalingFactor();
Point dpi = getDPI (), screenDPI = getIndependentDPI();
return new Rectangle (0, 0, (int)((size.width * dpi.x / screenDPI.x) / scaling), (int)((size.height * dpi.y / screenDPI.y) / scaling));
} finally {
if (pool != null) pool.release();
}
}
/**
* Returns a rectangle which describes the area of the
* receiver which is capable of displaying data.
* <p>
* For a printer, this is the size of the printable area
* of the page, in pixels.
* </p>
*
* @return the client area
*
* @exception SWTException <ul>
* <li>ERROR_DEVICE_DISPOSED - if the receiver has been disposed</li>
* </ul>
*
* @see #getBounds
* @see #computeTrim
*/
public Rectangle getClientArea() {
checkDevice();
NSAutoreleasePool pool = null;
if (!NSThread.isMainThread()) pool = (NSAutoreleasePool) new NSAutoreleasePool().alloc().init();
try {
float scaling = scalingFactor();
NSRect rect = printInfo.imageablePageBounds();
Point dpi = getDPI (), screenDPI = getIndependentDPI();
return new Rectangle(0, 0, (int)((rect.width * dpi.x / screenDPI.x) / scaling), (int)((rect.height * dpi.y / screenDPI.y) / scaling));
} finally {
if (pool != null) pool.release();
}
}
/**
* Returns a <code>PrinterData</code> object representing the
* target printer for this print job.
*
* @return a PrinterData object describing the receiver
*/
public PrinterData getPrinterData() {
checkDevice();
return data;
}
}
| [
"375833274@qq.com"
] | 375833274@qq.com |
15b3b6cb1b636ec7c80beef64567c9b8a7fcdf60 | ed7e827df7f65d966d7eaecd201f01218130c804 | /src/utility/ShapeBuilder.java | 1c7a31a238dd39d9088787e13956e273728c5aed | [] | no_license | TALBOTdev/ShapeSortingApp | 18ae3f547efbf5f42d16ba295b646c6a6bdb35a2 | 25387442c3aefcb39abbdc1a4a03a21171dba75a | refs/heads/main | 2023-07-16T15:04:39.900187 | 2021-08-31T02:32:20 | 2021-08-31T02:32:20 | 397,762,612 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,139 | java | package utility;
import shapes.Cone;
import shapes.Cylinder;
import shapes.OctagonalPrism;
import shapes.PentagonalPrism;
import shapes.Pyramid;
import shapes.Shape;
import shapes.SquarePrism;
import shapes.TriangularPrism;
/**
*
* @author Ben Talbot
* Builds and returns a shape object from file input.
*/
public class ShapeBuilder {
public static Shape buildShape(String shapeName, double dimension1, double dimension2) {
Shape shapeToAdd = null;
switch (shapeName) {
case "Cylinder":
shapeToAdd = new Cylinder(dimension1, dimension2);
break;
case "Cone":
shapeToAdd = new Cone(dimension1, dimension2);
break;
case "Pyramid":
shapeToAdd = new Pyramid(dimension1, dimension2);
break;
case "SquarePrism":
shapeToAdd = new SquarePrism(dimension1, dimension2);
break;
case "TriangularPrism":
shapeToAdd = new TriangularPrism(dimension1, dimension2);
break;
case "PentagonalPrism":
shapeToAdd = new PentagonalPrism(dimension1, dimension2);
break;
case "OctagonalPrism":
shapeToAdd = new OctagonalPrism(dimension1, dimension2);
break;
}
return shapeToAdd;
}
}
| [
"btalbot00@gmail.com"
] | btalbot00@gmail.com |
cc3cc326d1d9530c497f63543670aafb719cab91 | d6b95b82ab47851dfe09c4a34a5e28d547664a6a | /src/day29_nestedloop_arrays/CountCharsNestedLoop.java | ae41085fb8f9cb3d2dd30c4fae3544247bd21be3 | [] | no_license | Aitasha/java-programming | 3c334e9cea31866a66a091a5817f8e1047743d82 | 1b942d5f7c9c85fc224044b6650751ad8919d687 | refs/heads/master | 2023-05-31T16:49:10.700234 | 2021-07-15T03:22:08 | 2021-07-15T03:22:08 | 364,440,833 | 0 | 0 | null | 2021-06-01T21:45:23 | 2021-05-05T02:27:32 | Java | UTF-8 | Java | false | false | 619 | java | package day29_nestedloop_arrays;
public class CountCharsNestedLoop {
public static void main(String[] args) {
String word = "java";
for(int outer = 0; outer < word.length(); outer++) {
System.out.println("outer: " + word.charAt(outer));
int count = 0;
for(int inner = 0; inner < word.length(); inner++) {
//System.out.println(word.charAt(inner));
if(word.charAt(outer) == word.charAt(inner)) {
count++;
}
}
System.out.println(word.charAt(outer) + "=" + count);
}
}
}
| [
"altmana@yandex.ru"
] | altmana@yandex.ru |
80eae2de754247aa832bdb0f444dfdf0763651de | bac00db9c9390af55679699709353e3e4591d88d | /src/com/zhonghaodi/model/Nyscate.java | 5a465753938aa6b30f3dc176321c6925933b2f2a | [] | no_license | lwgis/GFAND | dd63b4eaae7f32bf1f349ce84caa6942e9a26e00 | f5cb0dd347917394ab66529763ecb2bfa2d41036 | refs/heads/master | 2021-08-20T07:04:11.587449 | 2017-11-28T13:14:45 | 2017-11-28T13:14:45 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 429 | java | package com.zhonghaodi.model;
import java.io.Serializable;
public class Nyscate extends Object{
/**
*
*/
private int id;
private String name;
public Nyscate(){
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
@Override
public String toString() {
return name;
}
}
| [
"liuyan1978@sina.com"
] | liuyan1978@sina.com |
896499d237cb712065ad34fc8c3a68c79ae7eec0 | eb826e0183b9c35df83cd68ab5c59f23e68861f3 | /src/com/web/example/servlet3/Servlet3SyncServlet.java | ec9c9911ace085e021579dc7ac56b1fcb4502e7e | [] | no_license | luolihai/MyAlpha | 5e3a5c9ac9b71bbfe80a0461810283d2b1fc9334 | 8ea437f4bce76184b4e5f0306c9d2073d42cf959 | refs/heads/master | 2020-04-08T10:18:42.189828 | 2018-11-29T07:16:16 | 2018-11-29T07:16:16 | 159,263,521 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,156 | java | package com.web.example.servlet3;
import java.io.IOException;
import java.io.PrintWriter;
import java.util.Collection;
import java.util.Iterator;
import javax.jws.soap.InitParam;
import javax.servlet.AsyncContext;
import javax.servlet.ServletException;
import javax.servlet.annotation.MultipartConfig;
import javax.servlet.annotation.WebInitParam;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.Cookie;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.Part;
/**
* servlet3.0新特性
* 文件上传
* @author 26031
*
*/
@WebServlet(urlPatterns="/servlet3SyncServlet",asyncSupported = true)
public class Servlet3SyncServlet extends HttpServlet {
private static final long serialVersionUID = 1L;
public void doGet(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException {
//这很主要,有时tocmat不支持
request.setAttribute("org.apache.catalina.ASYNC_SUPPORTED", true);
response.setContentType("text/html;charset=UTF-8");
PrintWriter out = response.getWriter();
out.write("RegistServlet开始运行了<br/>");
out.flush();
try {
Thread.sleep(2000);
} catch (InterruptedException e) {
e.printStackTrace();
}
out.write("注册成功了<br/>");
out.flush();
//发送激活邮件
AsyncContext ac = request.startAsync();//开始异步
new Thread(new SendMail(ac)).start();//3秒
out.write("RegistServlet运行结束了<br/>");
out.flush();
}
public void doPost(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException {
doGet(request, response);
}
}
class SendMail implements Runnable{
private AsyncContext ac;
public SendMail(AsyncContext ac) {
this.ac= ac;
}
public void run() {
try {
Thread.sleep(3000);
} catch (InterruptedException e) {
e.printStackTrace();
}
//打印信息
try {
PrintWriter out = ac.getResponse().getWriter();
out.write("邮件发送成功!");
out.flush();
} catch (IOException e) {
e.printStackTrace();
}
}
}
| [
"2603150691@qq.com"
] | 2603150691@qq.com |
6a11500d861f6d58e21de3ce3bfe5c35b3fe55f1 | 34b3da367d6b2a4ae0001ae8ce1029374b0e1851 | /edu.ufcg.compiladores.pascal.ui/src-gen/edu/ufcg/compiladores/pascal/ui/internal/PascalActivator.java | 93eac96b399816615376b589148487c74ef4c920 | [] | no_license | adautofbn/pascal-xtext | 674af81bdd3b8866589f672119553ee13e44ed5c | 56b2cad1e8bd3ec16d60c4472a545091a14baea0 | refs/heads/master | 2020-04-01T20:39:33.233914 | 2018-11-02T15:17:10 | 2018-11-02T15:17:10 | 153,614,452 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,760 | java | /*
* generated by Xtext 2.9.0
*/
package edu.ufcg.compiladores.pascal.ui.internal;
import com.google.common.collect.Maps;
import com.google.inject.Guice;
import com.google.inject.Injector;
import com.google.inject.Module;
import edu.ufcg.compiladores.pascal.PascalRuntimeModule;
import edu.ufcg.compiladores.pascal.ui.PascalUiModule;
import java.util.Collections;
import java.util.Map;
import org.apache.log4j.Logger;
import org.eclipse.ui.plugin.AbstractUIPlugin;
import org.eclipse.xtext.ui.shared.SharedStateModule;
import org.eclipse.xtext.util.Modules2;
import org.osgi.framework.BundleContext;
/**
* This class was generated. Customizations should only happen in a newly
* introduced subclass.
*/
public class PascalActivator extends AbstractUIPlugin {
public static final String EDU_UFCG_COMPILADORES_PASCAL_PASCAL = "edu.ufcg.compiladores.pascal.Pascal";
private static final Logger logger = Logger.getLogger(PascalActivator.class);
private static PascalActivator INSTANCE;
private Map<String, Injector> injectors = Collections.synchronizedMap(Maps.<String, Injector> newHashMapWithExpectedSize(1));
@Override
public void start(BundleContext context) throws Exception {
super.start(context);
INSTANCE = this;
}
@Override
public void stop(BundleContext context) throws Exception {
injectors.clear();
INSTANCE = null;
super.stop(context);
}
public static PascalActivator getInstance() {
return INSTANCE;
}
public Injector getInjector(String language) {
synchronized (injectors) {
Injector injector = injectors.get(language);
if (injector == null) {
injectors.put(language, injector = createInjector(language));
}
return injector;
}
}
protected Injector createInjector(String language) {
try {
Module runtimeModule = getRuntimeModule(language);
Module sharedStateModule = getSharedStateModule();
Module uiModule = getUiModule(language);
Module mergedModule = Modules2.mixin(runtimeModule, sharedStateModule, uiModule);
return Guice.createInjector(mergedModule);
} catch (Exception e) {
logger.error("Failed to create injector for " + language);
logger.error(e.getMessage(), e);
throw new RuntimeException("Failed to create injector for " + language, e);
}
}
protected Module getRuntimeModule(String grammar) {
if (EDU_UFCG_COMPILADORES_PASCAL_PASCAL.equals(grammar)) {
return new PascalRuntimeModule();
}
throw new IllegalArgumentException(grammar);
}
protected Module getUiModule(String grammar) {
if (EDU_UFCG_COMPILADORES_PASCAL_PASCAL.equals(grammar)) {
return new PascalUiModule(this);
}
throw new IllegalArgumentException(grammar);
}
protected Module getSharedStateModule() {
return new SharedStateModule();
}
}
| [
"barros.adauto@gmail.com"
] | barros.adauto@gmail.com |
0f83eaa7b5fe68d2a64299281b7a0d2f5393f449 | 861524f2e8d50b9abfae5163765ba01fcb7fbd5e | /android/app/build/generated/not_namespaced_r_class_sources/release/r/com/swmansion/rnscreens/R.java | 6ef816f9314e0935878f2f29122c4eae57630673 | [] | no_license | Pooja022/Test | 9c59dc297115cf9b8824ff1f97c6d7fa39af790f | 06a9b1459651b821175335606d833a4e1b90280e | refs/heads/main | 2023-03-23T17:18:52.645936 | 2021-03-16T14:08:06 | 2021-03-16T14:08:06 | 348,368,621 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 273,881 | java | /* AUTO-GENERATED FILE. DO NOT MODIFY.
*
* This class was automatically generated by the
* gradle plugin from the resource data it found. It
* should not be modified by hand.
*/
package com.swmansion.rnscreens;
public final class R {
private R() {}
public static final class anim {
private anim() {}
public static final int abc_fade_in = 0x7f010000;
public static final int abc_fade_out = 0x7f010001;
public static final int abc_grow_fade_in_from_bottom = 0x7f010002;
public static final int abc_popup_enter = 0x7f010003;
public static final int abc_popup_exit = 0x7f010004;
public static final int abc_shrink_fade_out_from_bottom = 0x7f010005;
public static final int abc_slide_in_bottom = 0x7f010006;
public static final int abc_slide_in_top = 0x7f010007;
public static final int abc_slide_out_bottom = 0x7f010008;
public static final int abc_slide_out_top = 0x7f010009;
public static final int abc_tooltip_enter = 0x7f01000a;
public static final int abc_tooltip_exit = 0x7f01000b;
public static final int btn_checkbox_to_checked_box_inner_merged_animation = 0x7f01000c;
public static final int btn_checkbox_to_checked_box_outer_merged_animation = 0x7f01000d;
public static final int btn_checkbox_to_checked_icon_null_animation = 0x7f01000e;
public static final int btn_checkbox_to_unchecked_box_inner_merged_animation = 0x7f01000f;
public static final int btn_checkbox_to_unchecked_check_path_merged_animation = 0x7f010010;
public static final int btn_checkbox_to_unchecked_icon_null_animation = 0x7f010011;
public static final int btn_radio_to_off_mtrl_dot_group_animation = 0x7f010012;
public static final int btn_radio_to_off_mtrl_ring_outer_animation = 0x7f010013;
public static final int btn_radio_to_off_mtrl_ring_outer_path_animation = 0x7f010014;
public static final int btn_radio_to_on_mtrl_dot_group_animation = 0x7f010015;
public static final int btn_radio_to_on_mtrl_ring_outer_animation = 0x7f010016;
public static final int btn_radio_to_on_mtrl_ring_outer_path_animation = 0x7f010017;
public static final int catalyst_fade_in = 0x7f010018;
public static final int catalyst_fade_out = 0x7f010019;
public static final int catalyst_push_up_in = 0x7f01001a;
public static final int catalyst_push_up_out = 0x7f01001b;
public static final int catalyst_slide_down = 0x7f01001c;
public static final int catalyst_slide_up = 0x7f01001d;
public static final int design_bottom_sheet_slide_in = 0x7f01001e;
public static final int design_bottom_sheet_slide_out = 0x7f01001f;
public static final int design_snackbar_in = 0x7f010020;
public static final int design_snackbar_out = 0x7f010021;
public static final int fragment_close_enter = 0x7f010022;
public static final int fragment_close_exit = 0x7f010023;
public static final int fragment_fade_enter = 0x7f010024;
public static final int fragment_fade_exit = 0x7f010025;
public static final int fragment_fast_out_extra_slow_in = 0x7f010026;
public static final int fragment_open_enter = 0x7f010027;
public static final int fragment_open_exit = 0x7f010028;
public static final int mtrl_bottom_sheet_slide_in = 0x7f010029;
public static final int mtrl_bottom_sheet_slide_out = 0x7f01002a;
public static final int mtrl_card_lowers_interpolator = 0x7f01002b;
public static final int rns_slide_in_from_left = 0x7f01002c;
public static final int rns_slide_in_from_right = 0x7f01002d;
public static final int rns_slide_out_to_left = 0x7f01002e;
public static final int rns_slide_out_to_right = 0x7f01002f;
}
public static final class animator {
private animator() {}
public static final int design_appbar_state_list_animator = 0x7f020000;
public static final int design_fab_hide_motion_spec = 0x7f020001;
public static final int design_fab_show_motion_spec = 0x7f020002;
public static final int mtrl_btn_state_list_anim = 0x7f020003;
public static final int mtrl_btn_unelevated_state_list_anim = 0x7f020004;
public static final int mtrl_card_state_list_anim = 0x7f020005;
public static final int mtrl_chip_state_list_anim = 0x7f020006;
public static final int mtrl_extended_fab_change_size_motion_spec = 0x7f020007;
public static final int mtrl_extended_fab_hide_motion_spec = 0x7f020008;
public static final int mtrl_extended_fab_show_motion_spec = 0x7f020009;
public static final int mtrl_extended_fab_state_list_animator = 0x7f02000a;
public static final int mtrl_fab_hide_motion_spec = 0x7f02000b;
public static final int mtrl_fab_show_motion_spec = 0x7f02000c;
public static final int mtrl_fab_transformation_sheet_collapse_spec = 0x7f02000d;
public static final int mtrl_fab_transformation_sheet_expand_spec = 0x7f02000e;
}
public static final class attr {
private attr() {}
public static final int actionBarDivider = 0x7f030000;
public static final int actionBarItemBackground = 0x7f030001;
public static final int actionBarPopupTheme = 0x7f030002;
public static final int actionBarSize = 0x7f030003;
public static final int actionBarSplitStyle = 0x7f030004;
public static final int actionBarStyle = 0x7f030005;
public static final int actionBarTabBarStyle = 0x7f030006;
public static final int actionBarTabStyle = 0x7f030007;
public static final int actionBarTabTextStyle = 0x7f030008;
public static final int actionBarTheme = 0x7f030009;
public static final int actionBarWidgetTheme = 0x7f03000a;
public static final int actionButtonStyle = 0x7f03000b;
public static final int actionDropDownStyle = 0x7f03000c;
public static final int actionLayout = 0x7f03000d;
public static final int actionMenuTextAppearance = 0x7f03000e;
public static final int actionMenuTextColor = 0x7f03000f;
public static final int actionModeBackground = 0x7f030010;
public static final int actionModeCloseButtonStyle = 0x7f030011;
public static final int actionModeCloseDrawable = 0x7f030012;
public static final int actionModeCopyDrawable = 0x7f030013;
public static final int actionModeCutDrawable = 0x7f030014;
public static final int actionModeFindDrawable = 0x7f030015;
public static final int actionModePasteDrawable = 0x7f030016;
public static final int actionModePopupWindowStyle = 0x7f030017;
public static final int actionModeSelectAllDrawable = 0x7f030018;
public static final int actionModeShareDrawable = 0x7f030019;
public static final int actionModeSplitBackground = 0x7f03001a;
public static final int actionModeStyle = 0x7f03001b;
public static final int actionModeWebSearchDrawable = 0x7f03001c;
public static final int actionOverflowButtonStyle = 0x7f03001d;
public static final int actionOverflowMenuStyle = 0x7f03001e;
public static final int actionProviderClass = 0x7f03001f;
public static final int actionTextColorAlpha = 0x7f030020;
public static final int actionViewClass = 0x7f030021;
public static final int activityChooserViewStyle = 0x7f030022;
public static final int actualImageResource = 0x7f030023;
public static final int actualImageScaleType = 0x7f030024;
public static final int actualImageUri = 0x7f030025;
public static final int alertDialogButtonGroupStyle = 0x7f030026;
public static final int alertDialogCenterButtons = 0x7f030027;
public static final int alertDialogStyle = 0x7f030028;
public static final int alertDialogTheme = 0x7f030029;
public static final int allowStacking = 0x7f03002a;
public static final int alpha = 0x7f03002b;
public static final int alphabeticModifiers = 0x7f03002c;
public static final int animationMode = 0x7f03002d;
public static final int appBarLayoutStyle = 0x7f03002e;
public static final int arrowHeadLength = 0x7f03002f;
public static final int arrowShaftLength = 0x7f030030;
public static final int autoCompleteTextViewStyle = 0x7f030031;
public static final int autoSizeMaxTextSize = 0x7f030032;
public static final int autoSizeMinTextSize = 0x7f030033;
public static final int autoSizePresetSizes = 0x7f030034;
public static final int autoSizeStepGranularity = 0x7f030035;
public static final int autoSizeTextType = 0x7f030036;
public static final int background = 0x7f030037;
public static final int backgroundColor = 0x7f030038;
public static final int backgroundImage = 0x7f030039;
public static final int backgroundInsetBottom = 0x7f03003a;
public static final int backgroundInsetEnd = 0x7f03003b;
public static final int backgroundInsetStart = 0x7f03003c;
public static final int backgroundInsetTop = 0x7f03003d;
public static final int backgroundOverlayColorAlpha = 0x7f03003e;
public static final int backgroundSplit = 0x7f03003f;
public static final int backgroundStacked = 0x7f030040;
public static final int backgroundTint = 0x7f030041;
public static final int backgroundTintMode = 0x7f030042;
public static final int badgeGravity = 0x7f030043;
public static final int badgeStyle = 0x7f030044;
public static final int badgeTextColor = 0x7f030045;
public static final int barLength = 0x7f030046;
public static final int behavior_autoHide = 0x7f030047;
public static final int behavior_autoShrink = 0x7f030048;
public static final int behavior_expandedOffset = 0x7f030049;
public static final int behavior_fitToContents = 0x7f03004a;
public static final int behavior_halfExpandedRatio = 0x7f03004b;
public static final int behavior_hideable = 0x7f03004c;
public static final int behavior_overlapTop = 0x7f03004d;
public static final int behavior_peekHeight = 0x7f03004e;
public static final int behavior_saveFlags = 0x7f03004f;
public static final int behavior_skipCollapsed = 0x7f030050;
public static final int borderWidth = 0x7f030051;
public static final int borderlessButtonStyle = 0x7f030052;
public static final int bottomAppBarStyle = 0x7f030053;
public static final int bottomNavigationStyle = 0x7f030054;
public static final int bottomSheetDialogTheme = 0x7f030055;
public static final int bottomSheetStyle = 0x7f030056;
public static final int boxBackgroundColor = 0x7f030057;
public static final int boxBackgroundMode = 0x7f030058;
public static final int boxCollapsedPaddingTop = 0x7f030059;
public static final int boxCornerRadiusBottomEnd = 0x7f03005a;
public static final int boxCornerRadiusBottomStart = 0x7f03005b;
public static final int boxCornerRadiusTopEnd = 0x7f03005c;
public static final int boxCornerRadiusTopStart = 0x7f03005d;
public static final int boxStrokeColor = 0x7f03005e;
public static final int boxStrokeWidth = 0x7f03005f;
public static final int boxStrokeWidthFocused = 0x7f030060;
public static final int buttonBarButtonStyle = 0x7f030061;
public static final int buttonBarNegativeButtonStyle = 0x7f030062;
public static final int buttonBarNeutralButtonStyle = 0x7f030063;
public static final int buttonBarPositiveButtonStyle = 0x7f030064;
public static final int buttonBarStyle = 0x7f030065;
public static final int buttonCompat = 0x7f030066;
public static final int buttonGravity = 0x7f030067;
public static final int buttonIconDimen = 0x7f030068;
public static final int buttonPanelSideLayout = 0x7f030069;
public static final int buttonStyle = 0x7f03006a;
public static final int buttonStyleSmall = 0x7f03006b;
public static final int buttonTint = 0x7f03006c;
public static final int buttonTintMode = 0x7f03006d;
public static final int cardBackgroundColor = 0x7f03006e;
public static final int cardCornerRadius = 0x7f03006f;
public static final int cardElevation = 0x7f030070;
public static final int cardForegroundColor = 0x7f030071;
public static final int cardMaxElevation = 0x7f030072;
public static final int cardPreventCornerOverlap = 0x7f030073;
public static final int cardUseCompatPadding = 0x7f030074;
public static final int cardViewStyle = 0x7f030075;
public static final int checkboxStyle = 0x7f030076;
public static final int checkedButton = 0x7f030077;
public static final int checkedChip = 0x7f030078;
public static final int checkedIcon = 0x7f030079;
public static final int checkedIconEnabled = 0x7f03007a;
public static final int checkedIconTint = 0x7f03007b;
public static final int checkedIconVisible = 0x7f03007c;
public static final int checkedTextViewStyle = 0x7f03007d;
public static final int chipBackgroundColor = 0x7f03007e;
public static final int chipCornerRadius = 0x7f03007f;
public static final int chipEndPadding = 0x7f030080;
public static final int chipGroupStyle = 0x7f030081;
public static final int chipIcon = 0x7f030082;
public static final int chipIconEnabled = 0x7f030083;
public static final int chipIconSize = 0x7f030084;
public static final int chipIconTint = 0x7f030085;
public static final int chipIconVisible = 0x7f030086;
public static final int chipMinHeight = 0x7f030087;
public static final int chipMinTouchTargetSize = 0x7f030088;
public static final int chipSpacing = 0x7f030089;
public static final int chipSpacingHorizontal = 0x7f03008a;
public static final int chipSpacingVertical = 0x7f03008b;
public static final int chipStandaloneStyle = 0x7f03008c;
public static final int chipStartPadding = 0x7f03008d;
public static final int chipStrokeColor = 0x7f03008e;
public static final int chipStrokeWidth = 0x7f03008f;
public static final int chipStyle = 0x7f030090;
public static final int chipSurfaceColor = 0x7f030091;
public static final int closeIcon = 0x7f030092;
public static final int closeIconEnabled = 0x7f030093;
public static final int closeIconEndPadding = 0x7f030094;
public static final int closeIconSize = 0x7f030095;
public static final int closeIconStartPadding = 0x7f030096;
public static final int closeIconTint = 0x7f030097;
public static final int closeIconVisible = 0x7f030098;
public static final int closeItemLayout = 0x7f030099;
public static final int collapseContentDescription = 0x7f03009a;
public static final int collapseIcon = 0x7f03009b;
public static final int collapsedTitleGravity = 0x7f03009c;
public static final int collapsedTitleTextAppearance = 0x7f03009d;
public static final int color = 0x7f03009e;
public static final int colorAccent = 0x7f03009f;
public static final int colorBackgroundFloating = 0x7f0300a0;
public static final int colorButtonNormal = 0x7f0300a1;
public static final int colorControlActivated = 0x7f0300a2;
public static final int colorControlHighlight = 0x7f0300a3;
public static final int colorControlNormal = 0x7f0300a4;
public static final int colorError = 0x7f0300a5;
public static final int colorOnBackground = 0x7f0300a6;
public static final int colorOnError = 0x7f0300a7;
public static final int colorOnPrimary = 0x7f0300a8;
public static final int colorOnPrimarySurface = 0x7f0300a9;
public static final int colorOnSecondary = 0x7f0300aa;
public static final int colorOnSurface = 0x7f0300ab;
public static final int colorPrimary = 0x7f0300ac;
public static final int colorPrimaryDark = 0x7f0300ad;
public static final int colorPrimarySurface = 0x7f0300ae;
public static final int colorPrimaryVariant = 0x7f0300af;
public static final int colorSecondary = 0x7f0300b0;
public static final int colorSecondaryVariant = 0x7f0300b1;
public static final int colorSurface = 0x7f0300b2;
public static final int colorSwitchThumbNormal = 0x7f0300b3;
public static final int commitIcon = 0x7f0300b4;
public static final int contentDescription = 0x7f0300b5;
public static final int contentInsetEnd = 0x7f0300b6;
public static final int contentInsetEndWithActions = 0x7f0300b7;
public static final int contentInsetLeft = 0x7f0300b8;
public static final int contentInsetRight = 0x7f0300b9;
public static final int contentInsetStart = 0x7f0300ba;
public static final int contentInsetStartWithNavigation = 0x7f0300bb;
public static final int contentPadding = 0x7f0300bc;
public static final int contentPaddingBottom = 0x7f0300bd;
public static final int contentPaddingLeft = 0x7f0300be;
public static final int contentPaddingRight = 0x7f0300bf;
public static final int contentPaddingTop = 0x7f0300c0;
public static final int contentScrim = 0x7f0300c1;
public static final int controlBackground = 0x7f0300c2;
public static final int coordinatorLayoutStyle = 0x7f0300c3;
public static final int cornerFamily = 0x7f0300c4;
public static final int cornerFamilyBottomLeft = 0x7f0300c5;
public static final int cornerFamilyBottomRight = 0x7f0300c6;
public static final int cornerFamilyTopLeft = 0x7f0300c7;
public static final int cornerFamilyTopRight = 0x7f0300c8;
public static final int cornerRadius = 0x7f0300c9;
public static final int cornerSize = 0x7f0300ca;
public static final int cornerSizeBottomLeft = 0x7f0300cb;
public static final int cornerSizeBottomRight = 0x7f0300cc;
public static final int cornerSizeTopLeft = 0x7f0300cd;
public static final int cornerSizeTopRight = 0x7f0300ce;
public static final int counterEnabled = 0x7f0300cf;
public static final int counterMaxLength = 0x7f0300d0;
public static final int counterOverflowTextAppearance = 0x7f0300d1;
public static final int counterOverflowTextColor = 0x7f0300d2;
public static final int counterTextAppearance = 0x7f0300d3;
public static final int counterTextColor = 0x7f0300d4;
public static final int customNavigationLayout = 0x7f0300d5;
public static final int dayInvalidStyle = 0x7f0300d6;
public static final int daySelectedStyle = 0x7f0300d7;
public static final int dayStyle = 0x7f0300d8;
public static final int dayTodayStyle = 0x7f0300d9;
public static final int defaultQueryHint = 0x7f0300da;
public static final int dialogCornerRadius = 0x7f0300db;
public static final int dialogPreferredPadding = 0x7f0300dc;
public static final int dialogTheme = 0x7f0300dd;
public static final int displayOptions = 0x7f0300de;
public static final int divider = 0x7f0300df;
public static final int dividerHorizontal = 0x7f0300e0;
public static final int dividerPadding = 0x7f0300e1;
public static final int dividerVertical = 0x7f0300e2;
public static final int drawableBottomCompat = 0x7f0300e3;
public static final int drawableEndCompat = 0x7f0300e4;
public static final int drawableLeftCompat = 0x7f0300e5;
public static final int drawableRightCompat = 0x7f0300e6;
public static final int drawableSize = 0x7f0300e7;
public static final int drawableStartCompat = 0x7f0300e8;
public static final int drawableTint = 0x7f0300e9;
public static final int drawableTintMode = 0x7f0300ea;
public static final int drawableTopCompat = 0x7f0300eb;
public static final int drawerArrowStyle = 0x7f0300ec;
public static final int dropDownListViewStyle = 0x7f0300ed;
public static final int dropdownListPreferredItemHeight = 0x7f0300ee;
public static final int editTextBackground = 0x7f0300ef;
public static final int editTextColor = 0x7f0300f0;
public static final int editTextStyle = 0x7f0300f1;
public static final int elevation = 0x7f0300f2;
public static final int elevationOverlayColor = 0x7f0300f3;
public static final int elevationOverlayEnabled = 0x7f0300f4;
public static final int endIconCheckable = 0x7f0300f5;
public static final int endIconContentDescription = 0x7f0300f6;
public static final int endIconDrawable = 0x7f0300f7;
public static final int endIconMode = 0x7f0300f8;
public static final int endIconTint = 0x7f0300f9;
public static final int endIconTintMode = 0x7f0300fa;
public static final int enforceMaterialTheme = 0x7f0300fb;
public static final int enforceTextAppearance = 0x7f0300fc;
public static final int ensureMinTouchTargetSize = 0x7f0300fd;
public static final int errorEnabled = 0x7f0300fe;
public static final int errorIconDrawable = 0x7f0300ff;
public static final int errorIconTint = 0x7f030100;
public static final int errorIconTintMode = 0x7f030101;
public static final int errorTextAppearance = 0x7f030102;
public static final int errorTextColor = 0x7f030103;
public static final int expandActivityOverflowButtonDrawable = 0x7f030104;
public static final int expanded = 0x7f030105;
public static final int expandedTitleGravity = 0x7f030106;
public static final int expandedTitleMargin = 0x7f030107;
public static final int expandedTitleMarginBottom = 0x7f030108;
public static final int expandedTitleMarginEnd = 0x7f030109;
public static final int expandedTitleMarginStart = 0x7f03010a;
public static final int expandedTitleMarginTop = 0x7f03010b;
public static final int expandedTitleTextAppearance = 0x7f03010c;
public static final int extendMotionSpec = 0x7f03010d;
public static final int extendedFloatingActionButtonStyle = 0x7f03010e;
public static final int fabAlignmentMode = 0x7f03010f;
public static final int fabAnimationMode = 0x7f030110;
public static final int fabCradleMargin = 0x7f030111;
public static final int fabCradleRoundedCornerRadius = 0x7f030112;
public static final int fabCradleVerticalOffset = 0x7f030113;
public static final int fabCustomSize = 0x7f030114;
public static final int fabSize = 0x7f030115;
public static final int fadeDuration = 0x7f030116;
public static final int failureImage = 0x7f030117;
public static final int failureImageScaleType = 0x7f030118;
public static final int fastScrollEnabled = 0x7f030119;
public static final int fastScrollHorizontalThumbDrawable = 0x7f03011a;
public static final int fastScrollHorizontalTrackDrawable = 0x7f03011b;
public static final int fastScrollVerticalThumbDrawable = 0x7f03011c;
public static final int fastScrollVerticalTrackDrawable = 0x7f03011d;
public static final int firstBaselineToTopHeight = 0x7f03011e;
public static final int floatingActionButtonStyle = 0x7f03011f;
public static final int font = 0x7f030120;
public static final int fontFamily = 0x7f030121;
public static final int fontProviderAuthority = 0x7f030122;
public static final int fontProviderCerts = 0x7f030123;
public static final int fontProviderFetchStrategy = 0x7f030124;
public static final int fontProviderFetchTimeout = 0x7f030125;
public static final int fontProviderPackage = 0x7f030126;
public static final int fontProviderQuery = 0x7f030127;
public static final int fontStyle = 0x7f030128;
public static final int fontVariationSettings = 0x7f030129;
public static final int fontWeight = 0x7f03012a;
public static final int foregroundInsidePadding = 0x7f03012b;
public static final int gapBetweenBars = 0x7f03012c;
public static final int goIcon = 0x7f03012d;
public static final int headerLayout = 0x7f03012e;
public static final int height = 0x7f03012f;
public static final int helperText = 0x7f030130;
public static final int helperTextEnabled = 0x7f030131;
public static final int helperTextTextAppearance = 0x7f030132;
public static final int helperTextTextColor = 0x7f030133;
public static final int hideMotionSpec = 0x7f030134;
public static final int hideOnContentScroll = 0x7f030135;
public static final int hideOnScroll = 0x7f030136;
public static final int hintAnimationEnabled = 0x7f030137;
public static final int hintEnabled = 0x7f030138;
public static final int hintTextAppearance = 0x7f030139;
public static final int hintTextColor = 0x7f03013a;
public static final int homeAsUpIndicator = 0x7f03013b;
public static final int homeLayout = 0x7f03013c;
public static final int hoveredFocusedTranslationZ = 0x7f03013d;
public static final int icon = 0x7f03013e;
public static final int iconEndPadding = 0x7f03013f;
public static final int iconGravity = 0x7f030140;
public static final int iconPadding = 0x7f030141;
public static final int iconSize = 0x7f030142;
public static final int iconStartPadding = 0x7f030143;
public static final int iconTint = 0x7f030144;
public static final int iconTintMode = 0x7f030145;
public static final int iconifiedByDefault = 0x7f030146;
public static final int imageButtonStyle = 0x7f030147;
public static final int indeterminateProgressStyle = 0x7f030148;
public static final int initialActivityCount = 0x7f030149;
public static final int insetForeground = 0x7f03014a;
public static final int isLightTheme = 0x7f03014b;
public static final int isMaterialTheme = 0x7f03014c;
public static final int itemBackground = 0x7f03014d;
public static final int itemFillColor = 0x7f03014e;
public static final int itemHorizontalPadding = 0x7f03014f;
public static final int itemHorizontalTranslationEnabled = 0x7f030150;
public static final int itemIconPadding = 0x7f030151;
public static final int itemIconSize = 0x7f030152;
public static final int itemIconTint = 0x7f030153;
public static final int itemMaxLines = 0x7f030154;
public static final int itemPadding = 0x7f030155;
public static final int itemRippleColor = 0x7f030156;
public static final int itemShapeAppearance = 0x7f030157;
public static final int itemShapeAppearanceOverlay = 0x7f030158;
public static final int itemShapeFillColor = 0x7f030159;
public static final int itemShapeInsetBottom = 0x7f03015a;
public static final int itemShapeInsetEnd = 0x7f03015b;
public static final int itemShapeInsetStart = 0x7f03015c;
public static final int itemShapeInsetTop = 0x7f03015d;
public static final int itemSpacing = 0x7f03015e;
public static final int itemStrokeColor = 0x7f03015f;
public static final int itemStrokeWidth = 0x7f030160;
public static final int itemTextAppearance = 0x7f030161;
public static final int itemTextAppearanceActive = 0x7f030162;
public static final int itemTextAppearanceInactive = 0x7f030163;
public static final int itemTextColor = 0x7f030164;
public static final int keylines = 0x7f030165;
public static final int labelVisibilityMode = 0x7f030166;
public static final int lastBaselineToBottomHeight = 0x7f030167;
public static final int layout = 0x7f030168;
public static final int layoutManager = 0x7f030169;
public static final int layout_anchor = 0x7f03016a;
public static final int layout_anchorGravity = 0x7f03016b;
public static final int layout_behavior = 0x7f03016c;
public static final int layout_collapseMode = 0x7f03016d;
public static final int layout_collapseParallaxMultiplier = 0x7f03016e;
public static final int layout_dodgeInsetEdges = 0x7f03016f;
public static final int layout_insetEdge = 0x7f030170;
public static final int layout_keyline = 0x7f030171;
public static final int layout_scrollFlags = 0x7f030172;
public static final int layout_scrollInterpolator = 0x7f030173;
public static final int liftOnScroll = 0x7f030174;
public static final int liftOnScrollTargetViewId = 0x7f030175;
public static final int lineHeight = 0x7f030176;
public static final int lineSpacing = 0x7f030177;
public static final int listChoiceBackgroundIndicator = 0x7f030178;
public static final int listChoiceIndicatorMultipleAnimated = 0x7f030179;
public static final int listChoiceIndicatorSingleAnimated = 0x7f03017a;
public static final int listDividerAlertDialog = 0x7f03017b;
public static final int listItemLayout = 0x7f03017c;
public static final int listLayout = 0x7f03017d;
public static final int listMenuViewStyle = 0x7f03017e;
public static final int listPopupWindowStyle = 0x7f03017f;
public static final int listPreferredItemHeight = 0x7f030180;
public static final int listPreferredItemHeightLarge = 0x7f030181;
public static final int listPreferredItemHeightSmall = 0x7f030182;
public static final int listPreferredItemPaddingEnd = 0x7f030183;
public static final int listPreferredItemPaddingLeft = 0x7f030184;
public static final int listPreferredItemPaddingRight = 0x7f030185;
public static final int listPreferredItemPaddingStart = 0x7f030186;
public static final int logo = 0x7f030187;
public static final int logoDescription = 0x7f030188;
public static final int materialAlertDialogBodyTextStyle = 0x7f030189;
public static final int materialAlertDialogTheme = 0x7f03018a;
public static final int materialAlertDialogTitleIconStyle = 0x7f03018b;
public static final int materialAlertDialogTitlePanelStyle = 0x7f03018c;
public static final int materialAlertDialogTitleTextStyle = 0x7f03018d;
public static final int materialButtonOutlinedStyle = 0x7f03018e;
public static final int materialButtonStyle = 0x7f03018f;
public static final int materialButtonToggleGroupStyle = 0x7f030190;
public static final int materialCalendarDay = 0x7f030191;
public static final int materialCalendarFullscreenTheme = 0x7f030192;
public static final int materialCalendarHeaderConfirmButton = 0x7f030193;
public static final int materialCalendarHeaderDivider = 0x7f030194;
public static final int materialCalendarHeaderLayout = 0x7f030195;
public static final int materialCalendarHeaderSelection = 0x7f030196;
public static final int materialCalendarHeaderTitle = 0x7f030197;
public static final int materialCalendarHeaderToggleButton = 0x7f030198;
public static final int materialCalendarStyle = 0x7f030199;
public static final int materialCalendarTheme = 0x7f03019a;
public static final int materialCardViewStyle = 0x7f03019b;
public static final int materialThemeOverlay = 0x7f03019c;
public static final int maxActionInlineWidth = 0x7f03019d;
public static final int maxButtonHeight = 0x7f03019e;
public static final int maxCharacterCount = 0x7f03019f;
public static final int maxImageSize = 0x7f0301a0;
public static final int measureWithLargestChild = 0x7f0301a1;
public static final int menu = 0x7f0301a2;
public static final int minTouchTargetSize = 0x7f0301a3;
public static final int multiChoiceItemLayout = 0x7f0301a4;
public static final int navigationContentDescription = 0x7f0301a5;
public static final int navigationIcon = 0x7f0301a6;
public static final int navigationMode = 0x7f0301a7;
public static final int navigationViewStyle = 0x7f0301a8;
public static final int number = 0x7f0301a9;
public static final int numericModifiers = 0x7f0301aa;
public static final int overlapAnchor = 0x7f0301ab;
public static final int overlayImage = 0x7f0301ac;
public static final int paddingBottomNoButtons = 0x7f0301ad;
public static final int paddingEnd = 0x7f0301ae;
public static final int paddingStart = 0x7f0301af;
public static final int paddingTopNoTitle = 0x7f0301b0;
public static final int panelBackground = 0x7f0301b1;
public static final int panelMenuListTheme = 0x7f0301b2;
public static final int panelMenuListWidth = 0x7f0301b3;
public static final int passwordToggleContentDescription = 0x7f0301b4;
public static final int passwordToggleDrawable = 0x7f0301b5;
public static final int passwordToggleEnabled = 0x7f0301b6;
public static final int passwordToggleTint = 0x7f0301b7;
public static final int passwordToggleTintMode = 0x7f0301b8;
public static final int placeholderImage = 0x7f0301b9;
public static final int placeholderImageScaleType = 0x7f0301ba;
public static final int popupMenuBackground = 0x7f0301bb;
public static final int popupMenuStyle = 0x7f0301bc;
public static final int popupTheme = 0x7f0301bd;
public static final int popupWindowStyle = 0x7f0301be;
public static final int preserveIconSpacing = 0x7f0301bf;
public static final int pressedStateOverlayImage = 0x7f0301c0;
public static final int pressedTranslationZ = 0x7f0301c1;
public static final int progressBarAutoRotateInterval = 0x7f0301c2;
public static final int progressBarImage = 0x7f0301c3;
public static final int progressBarImageScaleType = 0x7f0301c4;
public static final int progressBarPadding = 0x7f0301c5;
public static final int progressBarStyle = 0x7f0301c6;
public static final int queryBackground = 0x7f0301c7;
public static final int queryHint = 0x7f0301c8;
public static final int radioButtonStyle = 0x7f0301c9;
public static final int rangeFillColor = 0x7f0301ca;
public static final int ratingBarStyle = 0x7f0301cb;
public static final int ratingBarStyleIndicator = 0x7f0301cc;
public static final int ratingBarStyleSmall = 0x7f0301cd;
public static final int recyclerViewStyle = 0x7f0301ce;
public static final int retryImage = 0x7f0301cf;
public static final int retryImageScaleType = 0x7f0301d0;
public static final int reverseLayout = 0x7f0301d1;
public static final int rippleColor = 0x7f0301d2;
public static final int roundAsCircle = 0x7f0301d3;
public static final int roundBottomEnd = 0x7f0301d4;
public static final int roundBottomLeft = 0x7f0301d5;
public static final int roundBottomRight = 0x7f0301d6;
public static final int roundBottomStart = 0x7f0301d7;
public static final int roundTopEnd = 0x7f0301d8;
public static final int roundTopLeft = 0x7f0301d9;
public static final int roundTopRight = 0x7f0301da;
public static final int roundTopStart = 0x7f0301db;
public static final int roundWithOverlayColor = 0x7f0301dc;
public static final int roundedCornerRadius = 0x7f0301dd;
public static final int roundingBorderColor = 0x7f0301de;
public static final int roundingBorderPadding = 0x7f0301df;
public static final int roundingBorderWidth = 0x7f0301e0;
public static final int scrimAnimationDuration = 0x7f0301e1;
public static final int scrimBackground = 0x7f0301e2;
public static final int scrimVisibleHeightTrigger = 0x7f0301e3;
public static final int searchHintIcon = 0x7f0301e4;
public static final int searchIcon = 0x7f0301e5;
public static final int searchViewStyle = 0x7f0301e6;
public static final int seekBarStyle = 0x7f0301e7;
public static final int selectableItemBackground = 0x7f0301e8;
public static final int selectableItemBackgroundBorderless = 0x7f0301e9;
public static final int shapeAppearance = 0x7f0301ea;
public static final int shapeAppearanceLargeComponent = 0x7f0301eb;
public static final int shapeAppearanceMediumComponent = 0x7f0301ec;
public static final int shapeAppearanceOverlay = 0x7f0301ed;
public static final int shapeAppearanceSmallComponent = 0x7f0301ee;
public static final int showAsAction = 0x7f0301ef;
public static final int showDividers = 0x7f0301f0;
public static final int showMotionSpec = 0x7f0301f1;
public static final int showText = 0x7f0301f2;
public static final int showTitle = 0x7f0301f3;
public static final int shrinkMotionSpec = 0x7f0301f4;
public static final int singleChoiceItemLayout = 0x7f0301f5;
public static final int singleLine = 0x7f0301f6;
public static final int singleSelection = 0x7f0301f7;
public static final int snackbarButtonStyle = 0x7f0301f8;
public static final int snackbarStyle = 0x7f0301f9;
public static final int spanCount = 0x7f0301fa;
public static final int spinBars = 0x7f0301fb;
public static final int spinnerDropDownItemStyle = 0x7f0301fc;
public static final int spinnerStyle = 0x7f0301fd;
public static final int splitTrack = 0x7f0301fe;
public static final int srcCompat = 0x7f0301ff;
public static final int stackFromEnd = 0x7f030200;
public static final int startIconCheckable = 0x7f030201;
public static final int startIconContentDescription = 0x7f030202;
public static final int startIconDrawable = 0x7f030203;
public static final int startIconTint = 0x7f030204;
public static final int startIconTintMode = 0x7f030205;
public static final int state_above_anchor = 0x7f030206;
public static final int state_collapsed = 0x7f030207;
public static final int state_collapsible = 0x7f030208;
public static final int state_dragged = 0x7f030209;
public static final int state_liftable = 0x7f03020a;
public static final int state_lifted = 0x7f03020b;
public static final int statusBarBackground = 0x7f03020c;
public static final int statusBarForeground = 0x7f03020d;
public static final int statusBarScrim = 0x7f03020e;
public static final int strokeColor = 0x7f03020f;
public static final int strokeWidth = 0x7f030210;
public static final int subMenuArrow = 0x7f030211;
public static final int submitBackground = 0x7f030212;
public static final int subtitle = 0x7f030213;
public static final int subtitleTextAppearance = 0x7f030214;
public static final int subtitleTextColor = 0x7f030215;
public static final int subtitleTextStyle = 0x7f030216;
public static final int suggestionRowLayout = 0x7f030217;
public static final int switchMinWidth = 0x7f030218;
public static final int switchPadding = 0x7f030219;
public static final int switchStyle = 0x7f03021a;
public static final int switchTextAppearance = 0x7f03021b;
public static final int tabBackground = 0x7f03021c;
public static final int tabContentStart = 0x7f03021d;
public static final int tabGravity = 0x7f03021e;
public static final int tabIconTint = 0x7f03021f;
public static final int tabIconTintMode = 0x7f030220;
public static final int tabIndicator = 0x7f030221;
public static final int tabIndicatorAnimationDuration = 0x7f030222;
public static final int tabIndicatorColor = 0x7f030223;
public static final int tabIndicatorFullWidth = 0x7f030224;
public static final int tabIndicatorGravity = 0x7f030225;
public static final int tabIndicatorHeight = 0x7f030226;
public static final int tabInlineLabel = 0x7f030227;
public static final int tabMaxWidth = 0x7f030228;
public static final int tabMinWidth = 0x7f030229;
public static final int tabMode = 0x7f03022a;
public static final int tabPadding = 0x7f03022b;
public static final int tabPaddingBottom = 0x7f03022c;
public static final int tabPaddingEnd = 0x7f03022d;
public static final int tabPaddingStart = 0x7f03022e;
public static final int tabPaddingTop = 0x7f03022f;
public static final int tabRippleColor = 0x7f030230;
public static final int tabSelectedTextColor = 0x7f030231;
public static final int tabStyle = 0x7f030232;
public static final int tabTextAppearance = 0x7f030233;
public static final int tabTextColor = 0x7f030234;
public static final int tabUnboundedRipple = 0x7f030235;
public static final int textAllCaps = 0x7f030236;
public static final int textAppearanceBody1 = 0x7f030237;
public static final int textAppearanceBody2 = 0x7f030238;
public static final int textAppearanceButton = 0x7f030239;
public static final int textAppearanceCaption = 0x7f03023a;
public static final int textAppearanceHeadline1 = 0x7f03023b;
public static final int textAppearanceHeadline2 = 0x7f03023c;
public static final int textAppearanceHeadline3 = 0x7f03023d;
public static final int textAppearanceHeadline4 = 0x7f03023e;
public static final int textAppearanceHeadline5 = 0x7f03023f;
public static final int textAppearanceHeadline6 = 0x7f030240;
public static final int textAppearanceLargePopupMenu = 0x7f030241;
public static final int textAppearanceLineHeightEnabled = 0x7f030242;
public static final int textAppearanceListItem = 0x7f030243;
public static final int textAppearanceListItemSecondary = 0x7f030244;
public static final int textAppearanceListItemSmall = 0x7f030245;
public static final int textAppearanceOverline = 0x7f030246;
public static final int textAppearancePopupMenuHeader = 0x7f030247;
public static final int textAppearanceSearchResultSubtitle = 0x7f030248;
public static final int textAppearanceSearchResultTitle = 0x7f030249;
public static final int textAppearanceSmallPopupMenu = 0x7f03024a;
public static final int textAppearanceSubtitle1 = 0x7f03024b;
public static final int textAppearanceSubtitle2 = 0x7f03024c;
public static final int textColorAlertDialogListItem = 0x7f03024d;
public static final int textColorSearchUrl = 0x7f03024e;
public static final int textEndPadding = 0x7f03024f;
public static final int textInputStyle = 0x7f030250;
public static final int textLocale = 0x7f030251;
public static final int textStartPadding = 0x7f030252;
public static final int theme = 0x7f030253;
public static final int themeLineHeight = 0x7f030254;
public static final int thickness = 0x7f030255;
public static final int thumbTextPadding = 0x7f030256;
public static final int thumbTint = 0x7f030257;
public static final int thumbTintMode = 0x7f030258;
public static final int tickMark = 0x7f030259;
public static final int tickMarkTint = 0x7f03025a;
public static final int tickMarkTintMode = 0x7f03025b;
public static final int tint = 0x7f03025c;
public static final int tintMode = 0x7f03025d;
public static final int title = 0x7f03025e;
public static final int titleEnabled = 0x7f03025f;
public static final int titleMargin = 0x7f030260;
public static final int titleMarginBottom = 0x7f030261;
public static final int titleMarginEnd = 0x7f030262;
public static final int titleMarginStart = 0x7f030263;
public static final int titleMarginTop = 0x7f030264;
public static final int titleMargins = 0x7f030265;
public static final int titleTextAppearance = 0x7f030266;
public static final int titleTextColor = 0x7f030267;
public static final int titleTextStyle = 0x7f030268;
public static final int toolbarId = 0x7f030269;
public static final int toolbarNavigationButtonStyle = 0x7f03026a;
public static final int toolbarStyle = 0x7f03026b;
public static final int tooltipForegroundColor = 0x7f03026c;
public static final int tooltipFrameBackground = 0x7f03026d;
public static final int tooltipText = 0x7f03026e;
public static final int track = 0x7f03026f;
public static final int trackTint = 0x7f030270;
public static final int trackTintMode = 0x7f030271;
public static final int ttcIndex = 0x7f030272;
public static final int useCompatPadding = 0x7f030273;
public static final int useMaterialThemeColors = 0x7f030274;
public static final int viewAspectRatio = 0x7f030275;
public static final int viewInflaterClass = 0x7f030276;
public static final int voiceIcon = 0x7f030277;
public static final int windowActionBar = 0x7f030278;
public static final int windowActionBarOverlay = 0x7f030279;
public static final int windowActionModeOverlay = 0x7f03027a;
public static final int windowFixedHeightMajor = 0x7f03027b;
public static final int windowFixedHeightMinor = 0x7f03027c;
public static final int windowFixedWidthMajor = 0x7f03027d;
public static final int windowFixedWidthMinor = 0x7f03027e;
public static final int windowMinWidthMajor = 0x7f03027f;
public static final int windowMinWidthMinor = 0x7f030280;
public static final int windowNoTitle = 0x7f030281;
public static final int yearSelectedStyle = 0x7f030282;
public static final int yearStyle = 0x7f030283;
public static final int yearTodayStyle = 0x7f030284;
}
public static final class bool {
private bool() {}
public static final int abc_action_bar_embed_tabs = 0x7f040000;
public static final int abc_allow_stacked_button_bar = 0x7f040001;
public static final int abc_config_actionMenuItemAllCaps = 0x7f040002;
public static final int mtrl_btn_textappearance_all_caps = 0x7f040003;
}
public static final class color {
private color() {}
public static final int abc_background_cache_hint_selector_material_dark = 0x7f050000;
public static final int abc_background_cache_hint_selector_material_light = 0x7f050001;
public static final int abc_btn_colored_borderless_text_material = 0x7f050002;
public static final int abc_btn_colored_text_material = 0x7f050003;
public static final int abc_color_highlight_material = 0x7f050004;
public static final int abc_hint_foreground_material_dark = 0x7f050005;
public static final int abc_hint_foreground_material_light = 0x7f050006;
public static final int abc_input_method_navigation_guard = 0x7f050007;
public static final int abc_primary_text_disable_only_material_dark = 0x7f050008;
public static final int abc_primary_text_disable_only_material_light = 0x7f050009;
public static final int abc_primary_text_material_dark = 0x7f05000a;
public static final int abc_primary_text_material_light = 0x7f05000b;
public static final int abc_search_url_text = 0x7f05000c;
public static final int abc_search_url_text_normal = 0x7f05000d;
public static final int abc_search_url_text_pressed = 0x7f05000e;
public static final int abc_search_url_text_selected = 0x7f05000f;
public static final int abc_secondary_text_material_dark = 0x7f050010;
public static final int abc_secondary_text_material_light = 0x7f050011;
public static final int abc_tint_btn_checkable = 0x7f050012;
public static final int abc_tint_default = 0x7f050013;
public static final int abc_tint_edittext = 0x7f050014;
public static final int abc_tint_seek_thumb = 0x7f050015;
public static final int abc_tint_spinner = 0x7f050016;
public static final int abc_tint_switch_track = 0x7f050017;
public static final int accent_material_dark = 0x7f050018;
public static final int accent_material_light = 0x7f050019;
public static final int background_floating_material_dark = 0x7f05001a;
public static final int background_floating_material_light = 0x7f05001b;
public static final int background_material_dark = 0x7f05001c;
public static final int background_material_light = 0x7f05001d;
public static final int bright_foreground_disabled_material_dark = 0x7f05001e;
public static final int bright_foreground_disabled_material_light = 0x7f05001f;
public static final int bright_foreground_inverse_material_dark = 0x7f050020;
public static final int bright_foreground_inverse_material_light = 0x7f050021;
public static final int bright_foreground_material_dark = 0x7f050022;
public static final int bright_foreground_material_light = 0x7f050023;
public static final int button_material_dark = 0x7f050024;
public static final int button_material_light = 0x7f050025;
public static final int cardview_dark_background = 0x7f050026;
public static final int cardview_light_background = 0x7f050027;
public static final int cardview_shadow_end_color = 0x7f050028;
public static final int cardview_shadow_start_color = 0x7f050029;
public static final int catalyst_logbox_background = 0x7f05002a;
public static final int catalyst_redbox_background = 0x7f05002b;
public static final int checkbox_themeable_attribute_color = 0x7f05002c;
public static final int design_bottom_navigation_shadow_color = 0x7f05002d;
public static final int design_box_stroke_color = 0x7f05002e;
public static final int design_dark_default_color_background = 0x7f05002f;
public static final int design_dark_default_color_error = 0x7f050030;
public static final int design_dark_default_color_on_background = 0x7f050031;
public static final int design_dark_default_color_on_error = 0x7f050032;
public static final int design_dark_default_color_on_primary = 0x7f050033;
public static final int design_dark_default_color_on_secondary = 0x7f050034;
public static final int design_dark_default_color_on_surface = 0x7f050035;
public static final int design_dark_default_color_primary = 0x7f050036;
public static final int design_dark_default_color_primary_dark = 0x7f050037;
public static final int design_dark_default_color_primary_variant = 0x7f050038;
public static final int design_dark_default_color_secondary = 0x7f050039;
public static final int design_dark_default_color_secondary_variant = 0x7f05003a;
public static final int design_dark_default_color_surface = 0x7f05003b;
public static final int design_default_color_background = 0x7f05003c;
public static final int design_default_color_error = 0x7f05003d;
public static final int design_default_color_on_background = 0x7f05003e;
public static final int design_default_color_on_error = 0x7f05003f;
public static final int design_default_color_on_primary = 0x7f050040;
public static final int design_default_color_on_secondary = 0x7f050041;
public static final int design_default_color_on_surface = 0x7f050042;
public static final int design_default_color_primary = 0x7f050043;
public static final int design_default_color_primary_dark = 0x7f050044;
public static final int design_default_color_primary_variant = 0x7f050045;
public static final int design_default_color_secondary = 0x7f050046;
public static final int design_default_color_secondary_variant = 0x7f050047;
public static final int design_default_color_surface = 0x7f050048;
public static final int design_error = 0x7f050049;
public static final int design_fab_shadow_end_color = 0x7f05004a;
public static final int design_fab_shadow_mid_color = 0x7f05004b;
public static final int design_fab_shadow_start_color = 0x7f05004c;
public static final int design_fab_stroke_end_inner_color = 0x7f05004d;
public static final int design_fab_stroke_end_outer_color = 0x7f05004e;
public static final int design_fab_stroke_top_inner_color = 0x7f05004f;
public static final int design_fab_stroke_top_outer_color = 0x7f050050;
public static final int design_icon_tint = 0x7f050051;
public static final int design_snackbar_background_color = 0x7f050052;
public static final int dim_foreground_disabled_material_dark = 0x7f050053;
public static final int dim_foreground_disabled_material_light = 0x7f050054;
public static final int dim_foreground_material_dark = 0x7f050055;
public static final int dim_foreground_material_light = 0x7f050056;
public static final int error_color_material_dark = 0x7f050057;
public static final int error_color_material_light = 0x7f050058;
public static final int foreground_material_dark = 0x7f050059;
public static final int foreground_material_light = 0x7f05005a;
public static final int highlighted_text_material_dark = 0x7f05005b;
public static final int highlighted_text_material_light = 0x7f05005c;
public static final int material_blue_grey_800 = 0x7f05005d;
public static final int material_blue_grey_900 = 0x7f05005e;
public static final int material_blue_grey_950 = 0x7f05005f;
public static final int material_deep_teal_200 = 0x7f050060;
public static final int material_deep_teal_500 = 0x7f050061;
public static final int material_grey_100 = 0x7f050062;
public static final int material_grey_300 = 0x7f050063;
public static final int material_grey_50 = 0x7f050064;
public static final int material_grey_600 = 0x7f050065;
public static final int material_grey_800 = 0x7f050066;
public static final int material_grey_850 = 0x7f050067;
public static final int material_grey_900 = 0x7f050068;
public static final int material_on_background_disabled = 0x7f050069;
public static final int material_on_background_emphasis_high_type = 0x7f05006a;
public static final int material_on_background_emphasis_medium = 0x7f05006b;
public static final int material_on_primary_disabled = 0x7f05006c;
public static final int material_on_primary_emphasis_high_type = 0x7f05006d;
public static final int material_on_primary_emphasis_medium = 0x7f05006e;
public static final int material_on_surface_disabled = 0x7f05006f;
public static final int material_on_surface_emphasis_high_type = 0x7f050070;
public static final int material_on_surface_emphasis_medium = 0x7f050071;
public static final int mtrl_bottom_nav_colored_item_tint = 0x7f050072;
public static final int mtrl_bottom_nav_colored_ripple_color = 0x7f050073;
public static final int mtrl_bottom_nav_item_tint = 0x7f050074;
public static final int mtrl_bottom_nav_ripple_color = 0x7f050075;
public static final int mtrl_btn_bg_color_selector = 0x7f050076;
public static final int mtrl_btn_ripple_color = 0x7f050077;
public static final int mtrl_btn_stroke_color_selector = 0x7f050078;
public static final int mtrl_btn_text_btn_bg_color_selector = 0x7f050079;
public static final int mtrl_btn_text_btn_ripple_color = 0x7f05007a;
public static final int mtrl_btn_text_color_disabled = 0x7f05007b;
public static final int mtrl_btn_text_color_selector = 0x7f05007c;
public static final int mtrl_btn_transparent_bg_color = 0x7f05007d;
public static final int mtrl_calendar_item_stroke_color = 0x7f05007e;
public static final int mtrl_calendar_selected_range = 0x7f05007f;
public static final int mtrl_card_view_foreground = 0x7f050080;
public static final int mtrl_card_view_ripple = 0x7f050081;
public static final int mtrl_chip_background_color = 0x7f050082;
public static final int mtrl_chip_close_icon_tint = 0x7f050083;
public static final int mtrl_chip_ripple_color = 0x7f050084;
public static final int mtrl_chip_surface_color = 0x7f050085;
public static final int mtrl_chip_text_color = 0x7f050086;
public static final int mtrl_choice_chip_background_color = 0x7f050087;
public static final int mtrl_choice_chip_ripple_color = 0x7f050088;
public static final int mtrl_choice_chip_text_color = 0x7f050089;
public static final int mtrl_error = 0x7f05008a;
public static final int mtrl_extended_fab_bg_color_selector = 0x7f05008b;
public static final int mtrl_extended_fab_ripple_color = 0x7f05008c;
public static final int mtrl_extended_fab_text_color_selector = 0x7f05008d;
public static final int mtrl_fab_ripple_color = 0x7f05008e;
public static final int mtrl_filled_background_color = 0x7f05008f;
public static final int mtrl_filled_icon_tint = 0x7f050090;
public static final int mtrl_filled_stroke_color = 0x7f050091;
public static final int mtrl_indicator_text_color = 0x7f050092;
public static final int mtrl_navigation_item_background_color = 0x7f050093;
public static final int mtrl_navigation_item_icon_tint = 0x7f050094;
public static final int mtrl_navigation_item_text_color = 0x7f050095;
public static final int mtrl_on_primary_text_btn_text_color_selector = 0x7f050096;
public static final int mtrl_outlined_icon_tint = 0x7f050097;
public static final int mtrl_outlined_stroke_color = 0x7f050098;
public static final int mtrl_popupmenu_overlay_color = 0x7f050099;
public static final int mtrl_scrim_color = 0x7f05009a;
public static final int mtrl_tabs_colored_ripple_color = 0x7f05009b;
public static final int mtrl_tabs_icon_color_selector = 0x7f05009c;
public static final int mtrl_tabs_icon_color_selector_colored = 0x7f05009d;
public static final int mtrl_tabs_legacy_text_color_selector = 0x7f05009e;
public static final int mtrl_tabs_ripple_color = 0x7f05009f;
public static final int mtrl_text_btn_text_color_selector = 0x7f0500a0;
public static final int mtrl_textinput_default_box_stroke_color = 0x7f0500a1;
public static final int mtrl_textinput_disabled_color = 0x7f0500a2;
public static final int mtrl_textinput_filled_box_default_background_color = 0x7f0500a3;
public static final int mtrl_textinput_focused_box_stroke_color = 0x7f0500a4;
public static final int mtrl_textinput_hovered_box_stroke_color = 0x7f0500a5;
public static final int notification_action_color_filter = 0x7f0500a6;
public static final int notification_icon_bg_color = 0x7f0500a7;
public static final int primary_dark_material_dark = 0x7f0500a8;
public static final int primary_dark_material_light = 0x7f0500a9;
public static final int primary_material_dark = 0x7f0500aa;
public static final int primary_material_light = 0x7f0500ab;
public static final int primary_text_default_material_dark = 0x7f0500ac;
public static final int primary_text_default_material_light = 0x7f0500ad;
public static final int primary_text_disabled_material_dark = 0x7f0500ae;
public static final int primary_text_disabled_material_light = 0x7f0500af;
public static final int ripple_material_dark = 0x7f0500b0;
public static final int ripple_material_light = 0x7f0500b1;
public static final int secondary_text_default_material_dark = 0x7f0500b2;
public static final int secondary_text_default_material_light = 0x7f0500b3;
public static final int secondary_text_disabled_material_dark = 0x7f0500b4;
public static final int secondary_text_disabled_material_light = 0x7f0500b5;
public static final int switch_thumb_disabled_material_dark = 0x7f0500b6;
public static final int switch_thumb_disabled_material_light = 0x7f0500b7;
public static final int switch_thumb_material_dark = 0x7f0500b8;
public static final int switch_thumb_material_light = 0x7f0500b9;
public static final int switch_thumb_normal_material_dark = 0x7f0500ba;
public static final int switch_thumb_normal_material_light = 0x7f0500bb;
public static final int test_mtrl_calendar_day = 0x7f0500bc;
public static final int test_mtrl_calendar_day_selected = 0x7f0500bd;
public static final int tooltip_background_dark = 0x7f0500be;
public static final int tooltip_background_light = 0x7f0500bf;
}
public static final class dimen {
private dimen() {}
public static final int abc_action_bar_content_inset_material = 0x7f060000;
public static final int abc_action_bar_content_inset_with_nav = 0x7f060001;
public static final int abc_action_bar_default_height_material = 0x7f060002;
public static final int abc_action_bar_default_padding_end_material = 0x7f060003;
public static final int abc_action_bar_default_padding_start_material = 0x7f060004;
public static final int abc_action_bar_elevation_material = 0x7f060005;
public static final int abc_action_bar_icon_vertical_padding_material = 0x7f060006;
public static final int abc_action_bar_overflow_padding_end_material = 0x7f060007;
public static final int abc_action_bar_overflow_padding_start_material = 0x7f060008;
public static final int abc_action_bar_stacked_max_height = 0x7f060009;
public static final int abc_action_bar_stacked_tab_max_width = 0x7f06000a;
public static final int abc_action_bar_subtitle_bottom_margin_material = 0x7f06000b;
public static final int abc_action_bar_subtitle_top_margin_material = 0x7f06000c;
public static final int abc_action_button_min_height_material = 0x7f06000d;
public static final int abc_action_button_min_width_material = 0x7f06000e;
public static final int abc_action_button_min_width_overflow_material = 0x7f06000f;
public static final int abc_alert_dialog_button_bar_height = 0x7f060010;
public static final int abc_alert_dialog_button_dimen = 0x7f060011;
public static final int abc_button_inset_horizontal_material = 0x7f060012;
public static final int abc_button_inset_vertical_material = 0x7f060013;
public static final int abc_button_padding_horizontal_material = 0x7f060014;
public static final int abc_button_padding_vertical_material = 0x7f060015;
public static final int abc_cascading_menus_min_smallest_width = 0x7f060016;
public static final int abc_config_prefDialogWidth = 0x7f060017;
public static final int abc_control_corner_material = 0x7f060018;
public static final int abc_control_inset_material = 0x7f060019;
public static final int abc_control_padding_material = 0x7f06001a;
public static final int abc_dialog_corner_radius_material = 0x7f06001b;
public static final int abc_dialog_fixed_height_major = 0x7f06001c;
public static final int abc_dialog_fixed_height_minor = 0x7f06001d;
public static final int abc_dialog_fixed_width_major = 0x7f06001e;
public static final int abc_dialog_fixed_width_minor = 0x7f06001f;
public static final int abc_dialog_list_padding_bottom_no_buttons = 0x7f060020;
public static final int abc_dialog_list_padding_top_no_title = 0x7f060021;
public static final int abc_dialog_min_width_major = 0x7f060022;
public static final int abc_dialog_min_width_minor = 0x7f060023;
public static final int abc_dialog_padding_material = 0x7f060024;
public static final int abc_dialog_padding_top_material = 0x7f060025;
public static final int abc_dialog_title_divider_material = 0x7f060026;
public static final int abc_disabled_alpha_material_dark = 0x7f060027;
public static final int abc_disabled_alpha_material_light = 0x7f060028;
public static final int abc_dropdownitem_icon_width = 0x7f060029;
public static final int abc_dropdownitem_text_padding_left = 0x7f06002a;
public static final int abc_dropdownitem_text_padding_right = 0x7f06002b;
public static final int abc_edit_text_inset_bottom_material = 0x7f06002c;
public static final int abc_edit_text_inset_horizontal_material = 0x7f06002d;
public static final int abc_edit_text_inset_top_material = 0x7f06002e;
public static final int abc_floating_window_z = 0x7f06002f;
public static final int abc_list_item_height_large_material = 0x7f060030;
public static final int abc_list_item_height_material = 0x7f060031;
public static final int abc_list_item_height_small_material = 0x7f060032;
public static final int abc_list_item_padding_horizontal_material = 0x7f060033;
public static final int abc_panel_menu_list_width = 0x7f060034;
public static final int abc_progress_bar_height_material = 0x7f060035;
public static final int abc_search_view_preferred_height = 0x7f060036;
public static final int abc_search_view_preferred_width = 0x7f060037;
public static final int abc_seekbar_track_background_height_material = 0x7f060038;
public static final int abc_seekbar_track_progress_height_material = 0x7f060039;
public static final int abc_select_dialog_padding_start_material = 0x7f06003a;
public static final int abc_switch_padding = 0x7f06003b;
public static final int abc_text_size_body_1_material = 0x7f06003c;
public static final int abc_text_size_body_2_material = 0x7f06003d;
public static final int abc_text_size_button_material = 0x7f06003e;
public static final int abc_text_size_caption_material = 0x7f06003f;
public static final int abc_text_size_display_1_material = 0x7f060040;
public static final int abc_text_size_display_2_material = 0x7f060041;
public static final int abc_text_size_display_3_material = 0x7f060042;
public static final int abc_text_size_display_4_material = 0x7f060043;
public static final int abc_text_size_headline_material = 0x7f060044;
public static final int abc_text_size_large_material = 0x7f060045;
public static final int abc_text_size_medium_material = 0x7f060046;
public static final int abc_text_size_menu_header_material = 0x7f060047;
public static final int abc_text_size_menu_material = 0x7f060048;
public static final int abc_text_size_small_material = 0x7f060049;
public static final int abc_text_size_subhead_material = 0x7f06004a;
public static final int abc_text_size_subtitle_material_toolbar = 0x7f06004b;
public static final int abc_text_size_title_material = 0x7f06004c;
public static final int abc_text_size_title_material_toolbar = 0x7f06004d;
public static final int action_bar_size = 0x7f06004e;
public static final int appcompat_dialog_background_inset = 0x7f06004f;
public static final int cardview_compat_inset_shadow = 0x7f060050;
public static final int cardview_default_elevation = 0x7f060051;
public static final int cardview_default_radius = 0x7f060052;
public static final int compat_button_inset_horizontal_material = 0x7f060053;
public static final int compat_button_inset_vertical_material = 0x7f060054;
public static final int compat_button_padding_horizontal_material = 0x7f060055;
public static final int compat_button_padding_vertical_material = 0x7f060056;
public static final int compat_control_corner_material = 0x7f060057;
public static final int compat_notification_large_icon_max_height = 0x7f060058;
public static final int compat_notification_large_icon_max_width = 0x7f060059;
public static final int default_dimension = 0x7f06005a;
public static final int design_appbar_elevation = 0x7f06005b;
public static final int design_bottom_navigation_active_item_max_width = 0x7f06005c;
public static final int design_bottom_navigation_active_item_min_width = 0x7f06005d;
public static final int design_bottom_navigation_active_text_size = 0x7f06005e;
public static final int design_bottom_navigation_elevation = 0x7f06005f;
public static final int design_bottom_navigation_height = 0x7f060060;
public static final int design_bottom_navigation_icon_size = 0x7f060061;
public static final int design_bottom_navigation_item_max_width = 0x7f060062;
public static final int design_bottom_navigation_item_min_width = 0x7f060063;
public static final int design_bottom_navigation_margin = 0x7f060064;
public static final int design_bottom_navigation_shadow_height = 0x7f060065;
public static final int design_bottom_navigation_text_size = 0x7f060066;
public static final int design_bottom_sheet_elevation = 0x7f060067;
public static final int design_bottom_sheet_modal_elevation = 0x7f060068;
public static final int design_bottom_sheet_peek_height_min = 0x7f060069;
public static final int design_fab_border_width = 0x7f06006a;
public static final int design_fab_elevation = 0x7f06006b;
public static final int design_fab_image_size = 0x7f06006c;
public static final int design_fab_size_mini = 0x7f06006d;
public static final int design_fab_size_normal = 0x7f06006e;
public static final int design_fab_translation_z_hovered_focused = 0x7f06006f;
public static final int design_fab_translation_z_pressed = 0x7f060070;
public static final int design_navigation_elevation = 0x7f060071;
public static final int design_navigation_icon_padding = 0x7f060072;
public static final int design_navigation_icon_size = 0x7f060073;
public static final int design_navigation_item_horizontal_padding = 0x7f060074;
public static final int design_navigation_item_icon_padding = 0x7f060075;
public static final int design_navigation_max_width = 0x7f060076;
public static final int design_navigation_padding_bottom = 0x7f060077;
public static final int design_navigation_separator_vertical_padding = 0x7f060078;
public static final int design_snackbar_action_inline_max_width = 0x7f060079;
public static final int design_snackbar_action_text_color_alpha = 0x7f06007a;
public static final int design_snackbar_background_corner_radius = 0x7f06007b;
public static final int design_snackbar_elevation = 0x7f06007c;
public static final int design_snackbar_extra_spacing_horizontal = 0x7f06007d;
public static final int design_snackbar_max_width = 0x7f06007e;
public static final int design_snackbar_min_width = 0x7f06007f;
public static final int design_snackbar_padding_horizontal = 0x7f060080;
public static final int design_snackbar_padding_vertical = 0x7f060081;
public static final int design_snackbar_padding_vertical_2lines = 0x7f060082;
public static final int design_snackbar_text_size = 0x7f060083;
public static final int design_tab_max_width = 0x7f060084;
public static final int design_tab_scrollable_min_width = 0x7f060085;
public static final int design_tab_text_size = 0x7f060086;
public static final int design_tab_text_size_2line = 0x7f060087;
public static final int design_textinput_caption_translate_y = 0x7f060088;
public static final int disabled_alpha_material_dark = 0x7f060089;
public static final int disabled_alpha_material_light = 0x7f06008a;
public static final int fastscroll_default_thickness = 0x7f06008b;
public static final int fastscroll_margin = 0x7f06008c;
public static final int fastscroll_minimum_range = 0x7f06008d;
public static final int highlight_alpha_material_colored = 0x7f06008e;
public static final int highlight_alpha_material_dark = 0x7f06008f;
public static final int highlight_alpha_material_light = 0x7f060090;
public static final int hint_alpha_material_dark = 0x7f060091;
public static final int hint_alpha_material_light = 0x7f060092;
public static final int hint_pressed_alpha_material_dark = 0x7f060093;
public static final int hint_pressed_alpha_material_light = 0x7f060094;
public static final int item_touch_helper_max_drag_scroll_per_frame = 0x7f060095;
public static final int item_touch_helper_swipe_escape_max_velocity = 0x7f060096;
public static final int item_touch_helper_swipe_escape_velocity = 0x7f060097;
public static final int material_emphasis_disabled = 0x7f060098;
public static final int material_emphasis_high_type = 0x7f060099;
public static final int material_emphasis_medium = 0x7f06009a;
public static final int material_text_view_test_line_height = 0x7f06009b;
public static final int material_text_view_test_line_height_override = 0x7f06009c;
public static final int mtrl_alert_dialog_background_inset_bottom = 0x7f06009d;
public static final int mtrl_alert_dialog_background_inset_end = 0x7f06009e;
public static final int mtrl_alert_dialog_background_inset_start = 0x7f06009f;
public static final int mtrl_alert_dialog_background_inset_top = 0x7f0600a0;
public static final int mtrl_alert_dialog_picker_background_inset = 0x7f0600a1;
public static final int mtrl_badge_horizontal_edge_offset = 0x7f0600a2;
public static final int mtrl_badge_long_text_horizontal_padding = 0x7f0600a3;
public static final int mtrl_badge_radius = 0x7f0600a4;
public static final int mtrl_badge_text_horizontal_edge_offset = 0x7f0600a5;
public static final int mtrl_badge_text_size = 0x7f0600a6;
public static final int mtrl_badge_with_text_radius = 0x7f0600a7;
public static final int mtrl_bottomappbar_fabOffsetEndMode = 0x7f0600a8;
public static final int mtrl_bottomappbar_fab_bottom_margin = 0x7f0600a9;
public static final int mtrl_bottomappbar_fab_cradle_margin = 0x7f0600aa;
public static final int mtrl_bottomappbar_fab_cradle_rounded_corner_radius = 0x7f0600ab;
public static final int mtrl_bottomappbar_fab_cradle_vertical_offset = 0x7f0600ac;
public static final int mtrl_bottomappbar_height = 0x7f0600ad;
public static final int mtrl_btn_corner_radius = 0x7f0600ae;
public static final int mtrl_btn_dialog_btn_min_width = 0x7f0600af;
public static final int mtrl_btn_disabled_elevation = 0x7f0600b0;
public static final int mtrl_btn_disabled_z = 0x7f0600b1;
public static final int mtrl_btn_elevation = 0x7f0600b2;
public static final int mtrl_btn_focused_z = 0x7f0600b3;
public static final int mtrl_btn_hovered_z = 0x7f0600b4;
public static final int mtrl_btn_icon_btn_padding_left = 0x7f0600b5;
public static final int mtrl_btn_icon_padding = 0x7f0600b6;
public static final int mtrl_btn_inset = 0x7f0600b7;
public static final int mtrl_btn_letter_spacing = 0x7f0600b8;
public static final int mtrl_btn_padding_bottom = 0x7f0600b9;
public static final int mtrl_btn_padding_left = 0x7f0600ba;
public static final int mtrl_btn_padding_right = 0x7f0600bb;
public static final int mtrl_btn_padding_top = 0x7f0600bc;
public static final int mtrl_btn_pressed_z = 0x7f0600bd;
public static final int mtrl_btn_stroke_size = 0x7f0600be;
public static final int mtrl_btn_text_btn_icon_padding = 0x7f0600bf;
public static final int mtrl_btn_text_btn_padding_left = 0x7f0600c0;
public static final int mtrl_btn_text_btn_padding_right = 0x7f0600c1;
public static final int mtrl_btn_text_size = 0x7f0600c2;
public static final int mtrl_btn_z = 0x7f0600c3;
public static final int mtrl_calendar_action_height = 0x7f0600c4;
public static final int mtrl_calendar_action_padding = 0x7f0600c5;
public static final int mtrl_calendar_bottom_padding = 0x7f0600c6;
public static final int mtrl_calendar_content_padding = 0x7f0600c7;
public static final int mtrl_calendar_day_corner = 0x7f0600c8;
public static final int mtrl_calendar_day_height = 0x7f0600c9;
public static final int mtrl_calendar_day_horizontal_padding = 0x7f0600ca;
public static final int mtrl_calendar_day_today_stroke = 0x7f0600cb;
public static final int mtrl_calendar_day_vertical_padding = 0x7f0600cc;
public static final int mtrl_calendar_day_width = 0x7f0600cd;
public static final int mtrl_calendar_days_of_week_height = 0x7f0600ce;
public static final int mtrl_calendar_dialog_background_inset = 0x7f0600cf;
public static final int mtrl_calendar_header_content_padding = 0x7f0600d0;
public static final int mtrl_calendar_header_content_padding_fullscreen = 0x7f0600d1;
public static final int mtrl_calendar_header_divider_thickness = 0x7f0600d2;
public static final int mtrl_calendar_header_height = 0x7f0600d3;
public static final int mtrl_calendar_header_height_fullscreen = 0x7f0600d4;
public static final int mtrl_calendar_header_selection_line_height = 0x7f0600d5;
public static final int mtrl_calendar_header_text_padding = 0x7f0600d6;
public static final int mtrl_calendar_header_toggle_margin_bottom = 0x7f0600d7;
public static final int mtrl_calendar_header_toggle_margin_top = 0x7f0600d8;
public static final int mtrl_calendar_landscape_header_width = 0x7f0600d9;
public static final int mtrl_calendar_maximum_default_fullscreen_minor_axis = 0x7f0600da;
public static final int mtrl_calendar_month_horizontal_padding = 0x7f0600db;
public static final int mtrl_calendar_month_vertical_padding = 0x7f0600dc;
public static final int mtrl_calendar_navigation_bottom_padding = 0x7f0600dd;
public static final int mtrl_calendar_navigation_height = 0x7f0600de;
public static final int mtrl_calendar_navigation_top_padding = 0x7f0600df;
public static final int mtrl_calendar_pre_l_text_clip_padding = 0x7f0600e0;
public static final int mtrl_calendar_selection_baseline_to_top_fullscreen = 0x7f0600e1;
public static final int mtrl_calendar_selection_text_baseline_to_bottom = 0x7f0600e2;
public static final int mtrl_calendar_selection_text_baseline_to_bottom_fullscreen = 0x7f0600e3;
public static final int mtrl_calendar_selection_text_baseline_to_top = 0x7f0600e4;
public static final int mtrl_calendar_text_input_padding_top = 0x7f0600e5;
public static final int mtrl_calendar_title_baseline_to_top = 0x7f0600e6;
public static final int mtrl_calendar_title_baseline_to_top_fullscreen = 0x7f0600e7;
public static final int mtrl_calendar_year_corner = 0x7f0600e8;
public static final int mtrl_calendar_year_height = 0x7f0600e9;
public static final int mtrl_calendar_year_horizontal_padding = 0x7f0600ea;
public static final int mtrl_calendar_year_vertical_padding = 0x7f0600eb;
public static final int mtrl_calendar_year_width = 0x7f0600ec;
public static final int mtrl_card_checked_icon_margin = 0x7f0600ed;
public static final int mtrl_card_checked_icon_size = 0x7f0600ee;
public static final int mtrl_card_corner_radius = 0x7f0600ef;
public static final int mtrl_card_dragged_z = 0x7f0600f0;
public static final int mtrl_card_elevation = 0x7f0600f1;
public static final int mtrl_card_spacing = 0x7f0600f2;
public static final int mtrl_chip_pressed_translation_z = 0x7f0600f3;
public static final int mtrl_chip_text_size = 0x7f0600f4;
public static final int mtrl_exposed_dropdown_menu_popup_elevation = 0x7f0600f5;
public static final int mtrl_exposed_dropdown_menu_popup_vertical_offset = 0x7f0600f6;
public static final int mtrl_exposed_dropdown_menu_popup_vertical_padding = 0x7f0600f7;
public static final int mtrl_extended_fab_bottom_padding = 0x7f0600f8;
public static final int mtrl_extended_fab_corner_radius = 0x7f0600f9;
public static final int mtrl_extended_fab_disabled_elevation = 0x7f0600fa;
public static final int mtrl_extended_fab_disabled_translation_z = 0x7f0600fb;
public static final int mtrl_extended_fab_elevation = 0x7f0600fc;
public static final int mtrl_extended_fab_end_padding = 0x7f0600fd;
public static final int mtrl_extended_fab_end_padding_icon = 0x7f0600fe;
public static final int mtrl_extended_fab_icon_size = 0x7f0600ff;
public static final int mtrl_extended_fab_icon_text_spacing = 0x7f060100;
public static final int mtrl_extended_fab_min_height = 0x7f060101;
public static final int mtrl_extended_fab_min_width = 0x7f060102;
public static final int mtrl_extended_fab_start_padding = 0x7f060103;
public static final int mtrl_extended_fab_start_padding_icon = 0x7f060104;
public static final int mtrl_extended_fab_top_padding = 0x7f060105;
public static final int mtrl_extended_fab_translation_z_base = 0x7f060106;
public static final int mtrl_extended_fab_translation_z_hovered_focused = 0x7f060107;
public static final int mtrl_extended_fab_translation_z_pressed = 0x7f060108;
public static final int mtrl_fab_elevation = 0x7f060109;
public static final int mtrl_fab_min_touch_target = 0x7f06010a;
public static final int mtrl_fab_translation_z_hovered_focused = 0x7f06010b;
public static final int mtrl_fab_translation_z_pressed = 0x7f06010c;
public static final int mtrl_high_ripple_default_alpha = 0x7f06010d;
public static final int mtrl_high_ripple_focused_alpha = 0x7f06010e;
public static final int mtrl_high_ripple_hovered_alpha = 0x7f06010f;
public static final int mtrl_high_ripple_pressed_alpha = 0x7f060110;
public static final int mtrl_large_touch_target = 0x7f060111;
public static final int mtrl_low_ripple_default_alpha = 0x7f060112;
public static final int mtrl_low_ripple_focused_alpha = 0x7f060113;
public static final int mtrl_low_ripple_hovered_alpha = 0x7f060114;
public static final int mtrl_low_ripple_pressed_alpha = 0x7f060115;
public static final int mtrl_min_touch_target_size = 0x7f060116;
public static final int mtrl_navigation_elevation = 0x7f060117;
public static final int mtrl_navigation_item_horizontal_padding = 0x7f060118;
public static final int mtrl_navigation_item_icon_padding = 0x7f060119;
public static final int mtrl_navigation_item_icon_size = 0x7f06011a;
public static final int mtrl_navigation_item_shape_horizontal_margin = 0x7f06011b;
public static final int mtrl_navigation_item_shape_vertical_margin = 0x7f06011c;
public static final int mtrl_shape_corner_size_large_component = 0x7f06011d;
public static final int mtrl_shape_corner_size_medium_component = 0x7f06011e;
public static final int mtrl_shape_corner_size_small_component = 0x7f06011f;
public static final int mtrl_snackbar_action_text_color_alpha = 0x7f060120;
public static final int mtrl_snackbar_background_corner_radius = 0x7f060121;
public static final int mtrl_snackbar_background_overlay_color_alpha = 0x7f060122;
public static final int mtrl_snackbar_margin = 0x7f060123;
public static final int mtrl_switch_thumb_elevation = 0x7f060124;
public static final int mtrl_textinput_box_corner_radius_medium = 0x7f060125;
public static final int mtrl_textinput_box_corner_radius_small = 0x7f060126;
public static final int mtrl_textinput_box_label_cutout_padding = 0x7f060127;
public static final int mtrl_textinput_box_stroke_width_default = 0x7f060128;
public static final int mtrl_textinput_box_stroke_width_focused = 0x7f060129;
public static final int mtrl_textinput_end_icon_margin_start = 0x7f06012a;
public static final int mtrl_textinput_outline_box_expanded_padding = 0x7f06012b;
public static final int mtrl_textinput_start_icon_margin_end = 0x7f06012c;
public static final int mtrl_toolbar_default_height = 0x7f06012d;
public static final int notification_action_icon_size = 0x7f06012e;
public static final int notification_action_text_size = 0x7f06012f;
public static final int notification_big_circle_margin = 0x7f060130;
public static final int notification_content_margin_start = 0x7f060131;
public static final int notification_large_icon_height = 0x7f060132;
public static final int notification_large_icon_width = 0x7f060133;
public static final int notification_main_column_padding_top = 0x7f060134;
public static final int notification_media_narrow_margin = 0x7f060135;
public static final int notification_right_icon_size = 0x7f060136;
public static final int notification_right_side_padding_top = 0x7f060137;
public static final int notification_small_icon_background_padding = 0x7f060138;
public static final int notification_small_icon_size_as_large = 0x7f060139;
public static final int notification_subtext_size = 0x7f06013a;
public static final int notification_top_pad = 0x7f06013b;
public static final int notification_top_pad_large_text = 0x7f06013c;
public static final int test_mtrl_calendar_day_cornerSize = 0x7f06013d;
public static final int tooltip_corner_radius = 0x7f06013e;
public static final int tooltip_horizontal_padding = 0x7f06013f;
public static final int tooltip_margin = 0x7f060140;
public static final int tooltip_precise_anchor_extra_offset = 0x7f060141;
public static final int tooltip_precise_anchor_threshold = 0x7f060142;
public static final int tooltip_vertical_padding = 0x7f060143;
public static final int tooltip_y_offset_non_touch = 0x7f060144;
public static final int tooltip_y_offset_touch = 0x7f060145;
}
public static final class drawable {
private drawable() {}
public static final int abc_ab_share_pack_mtrl_alpha = 0x7f070006;
public static final int abc_action_bar_item_background_material = 0x7f070007;
public static final int abc_btn_borderless_material = 0x7f070008;
public static final int abc_btn_check_material = 0x7f070009;
public static final int abc_btn_check_material_anim = 0x7f07000a;
public static final int abc_btn_check_to_on_mtrl_000 = 0x7f07000b;
public static final int abc_btn_check_to_on_mtrl_015 = 0x7f07000c;
public static final int abc_btn_colored_material = 0x7f07000d;
public static final int abc_btn_default_mtrl_shape = 0x7f07000e;
public static final int abc_btn_radio_material = 0x7f07000f;
public static final int abc_btn_radio_material_anim = 0x7f070010;
public static final int abc_btn_radio_to_on_mtrl_000 = 0x7f070011;
public static final int abc_btn_radio_to_on_mtrl_015 = 0x7f070012;
public static final int abc_btn_switch_to_on_mtrl_00001 = 0x7f070013;
public static final int abc_btn_switch_to_on_mtrl_00012 = 0x7f070014;
public static final int abc_cab_background_internal_bg = 0x7f070015;
public static final int abc_cab_background_top_material = 0x7f070016;
public static final int abc_cab_background_top_mtrl_alpha = 0x7f070017;
public static final int abc_control_background_material = 0x7f070018;
public static final int abc_dialog_material_background = 0x7f070019;
public static final int abc_edit_text_material = 0x7f07001a;
public static final int abc_ic_ab_back_material = 0x7f07001b;
public static final int abc_ic_arrow_drop_right_black_24dp = 0x7f07001c;
public static final int abc_ic_clear_material = 0x7f07001d;
public static final int abc_ic_commit_search_api_mtrl_alpha = 0x7f07001e;
public static final int abc_ic_go_search_api_material = 0x7f07001f;
public static final int abc_ic_menu_copy_mtrl_am_alpha = 0x7f070020;
public static final int abc_ic_menu_cut_mtrl_alpha = 0x7f070021;
public static final int abc_ic_menu_overflow_material = 0x7f070022;
public static final int abc_ic_menu_paste_mtrl_am_alpha = 0x7f070023;
public static final int abc_ic_menu_selectall_mtrl_alpha = 0x7f070024;
public static final int abc_ic_menu_share_mtrl_alpha = 0x7f070025;
public static final int abc_ic_search_api_material = 0x7f070026;
public static final int abc_ic_star_black_16dp = 0x7f070027;
public static final int abc_ic_star_black_36dp = 0x7f070028;
public static final int abc_ic_star_black_48dp = 0x7f070029;
public static final int abc_ic_star_half_black_16dp = 0x7f07002a;
public static final int abc_ic_star_half_black_36dp = 0x7f07002b;
public static final int abc_ic_star_half_black_48dp = 0x7f07002c;
public static final int abc_ic_voice_search_api_material = 0x7f07002d;
public static final int abc_item_background_holo_dark = 0x7f07002e;
public static final int abc_item_background_holo_light = 0x7f07002f;
public static final int abc_list_divider_material = 0x7f070030;
public static final int abc_list_divider_mtrl_alpha = 0x7f070031;
public static final int abc_list_focused_holo = 0x7f070032;
public static final int abc_list_longpressed_holo = 0x7f070033;
public static final int abc_list_pressed_holo_dark = 0x7f070034;
public static final int abc_list_pressed_holo_light = 0x7f070035;
public static final int abc_list_selector_background_transition_holo_dark = 0x7f070036;
public static final int abc_list_selector_background_transition_holo_light = 0x7f070037;
public static final int abc_list_selector_disabled_holo_dark = 0x7f070038;
public static final int abc_list_selector_disabled_holo_light = 0x7f070039;
public static final int abc_list_selector_holo_dark = 0x7f07003a;
public static final int abc_list_selector_holo_light = 0x7f07003b;
public static final int abc_menu_hardkey_panel_mtrl_mult = 0x7f07003c;
public static final int abc_popup_background_mtrl_mult = 0x7f07003d;
public static final int abc_ratingbar_indicator_material = 0x7f07003e;
public static final int abc_ratingbar_material = 0x7f07003f;
public static final int abc_ratingbar_small_material = 0x7f070040;
public static final int abc_scrubber_control_off_mtrl_alpha = 0x7f070041;
public static final int abc_scrubber_control_to_pressed_mtrl_000 = 0x7f070042;
public static final int abc_scrubber_control_to_pressed_mtrl_005 = 0x7f070043;
public static final int abc_scrubber_primary_mtrl_alpha = 0x7f070044;
public static final int abc_scrubber_track_mtrl_alpha = 0x7f070045;
public static final int abc_seekbar_thumb_material = 0x7f070046;
public static final int abc_seekbar_tick_mark_material = 0x7f070047;
public static final int abc_seekbar_track_material = 0x7f070048;
public static final int abc_spinner_mtrl_am_alpha = 0x7f070049;
public static final int abc_spinner_textfield_background_material = 0x7f07004a;
public static final int abc_switch_thumb_material = 0x7f07004b;
public static final int abc_switch_track_mtrl_alpha = 0x7f07004c;
public static final int abc_tab_indicator_material = 0x7f07004d;
public static final int abc_tab_indicator_mtrl_alpha = 0x7f07004e;
public static final int abc_text_cursor_material = 0x7f07004f;
public static final int abc_text_select_handle_left_mtrl_dark = 0x7f070050;
public static final int abc_text_select_handle_left_mtrl_light = 0x7f070051;
public static final int abc_text_select_handle_middle_mtrl_dark = 0x7f070052;
public static final int abc_text_select_handle_middle_mtrl_light = 0x7f070053;
public static final int abc_text_select_handle_right_mtrl_dark = 0x7f070054;
public static final int abc_text_select_handle_right_mtrl_light = 0x7f070055;
public static final int abc_textfield_activated_mtrl_alpha = 0x7f070056;
public static final int abc_textfield_default_mtrl_alpha = 0x7f070057;
public static final int abc_textfield_search_activated_mtrl_alpha = 0x7f070058;
public static final int abc_textfield_search_default_mtrl_alpha = 0x7f070059;
public static final int abc_textfield_search_material = 0x7f07005a;
public static final int abc_vector_test = 0x7f07005b;
public static final int avd_hide_password = 0x7f07005d;
public static final int avd_show_password = 0x7f07005e;
public static final int btn_checkbox_checked_mtrl = 0x7f07005f;
public static final int btn_checkbox_checked_to_unchecked_mtrl_animation = 0x7f070060;
public static final int btn_checkbox_unchecked_mtrl = 0x7f070061;
public static final int btn_checkbox_unchecked_to_checked_mtrl_animation = 0x7f070062;
public static final int btn_radio_off_mtrl = 0x7f070063;
public static final int btn_radio_off_to_on_mtrl_animation = 0x7f070064;
public static final int btn_radio_on_mtrl = 0x7f070065;
public static final int btn_radio_on_to_off_mtrl_animation = 0x7f070066;
public static final int design_bottom_navigation_item_background = 0x7f070067;
public static final int design_fab_background = 0x7f070068;
public static final int design_ic_visibility = 0x7f070069;
public static final int design_ic_visibility_off = 0x7f07006a;
public static final int design_password_eye = 0x7f07006b;
public static final int design_snackbar_background = 0x7f07006c;
public static final int ic_calendar_black_24dp = 0x7f07006d;
public static final int ic_clear_black_24dp = 0x7f07006e;
public static final int ic_edit_black_24dp = 0x7f07006f;
public static final int ic_keyboard_arrow_left_black_24dp = 0x7f070070;
public static final int ic_keyboard_arrow_right_black_24dp = 0x7f070071;
public static final int ic_menu_arrow_down_black_24dp = 0x7f070072;
public static final int ic_menu_arrow_up_black_24dp = 0x7f070073;
public static final int ic_mtrl_checked_circle = 0x7f070074;
public static final int ic_mtrl_chip_checked_black = 0x7f070075;
public static final int ic_mtrl_chip_checked_circle = 0x7f070076;
public static final int ic_mtrl_chip_close_circle = 0x7f070077;
public static final int mtrl_dialog_background = 0x7f070078;
public static final int mtrl_dropdown_arrow = 0x7f070079;
public static final int mtrl_ic_arrow_drop_down = 0x7f07007a;
public static final int mtrl_ic_arrow_drop_up = 0x7f07007b;
public static final int mtrl_ic_cancel = 0x7f07007c;
public static final int mtrl_ic_error = 0x7f07007d;
public static final int mtrl_popupmenu_background = 0x7f07007e;
public static final int mtrl_popupmenu_background_dark = 0x7f07007f;
public static final int mtrl_tabs_default_indicator = 0x7f070080;
public static final int navigation_empty_icon = 0x7f070081;
public static final int notification_action_background = 0x7f070085;
public static final int notification_bg = 0x7f070086;
public static final int notification_bg_low = 0x7f070087;
public static final int notification_bg_low_normal = 0x7f070088;
public static final int notification_bg_low_pressed = 0x7f070089;
public static final int notification_bg_normal = 0x7f07008a;
public static final int notification_bg_normal_pressed = 0x7f07008b;
public static final int notification_icon_background = 0x7f07008c;
public static final int notification_template_icon_bg = 0x7f07008d;
public static final int notification_template_icon_low_bg = 0x7f07008e;
public static final int notification_tile_bg = 0x7f07008f;
public static final int notify_panel_notification_icon_bg = 0x7f070090;
public static final int redbox_top_border_background = 0x7f070091;
public static final int test_custom_background = 0x7f070092;
public static final int tooltip_frame_dark = 0x7f070093;
public static final int tooltip_frame_light = 0x7f070094;
}
public static final class id {
private id() {}
public static final int BOTTOM_END = 0x7f080001;
public static final int BOTTOM_START = 0x7f080002;
public static final int TOP_END = 0x7f080008;
public static final int TOP_START = 0x7f080009;
public static final int accessibility_action_clickable_span = 0x7f08000a;
public static final int accessibility_actions = 0x7f08000b;
public static final int accessibility_custom_action_0 = 0x7f08000c;
public static final int accessibility_custom_action_1 = 0x7f08000d;
public static final int accessibility_custom_action_10 = 0x7f08000e;
public static final int accessibility_custom_action_11 = 0x7f08000f;
public static final int accessibility_custom_action_12 = 0x7f080010;
public static final int accessibility_custom_action_13 = 0x7f080011;
public static final int accessibility_custom_action_14 = 0x7f080012;
public static final int accessibility_custom_action_15 = 0x7f080013;
public static final int accessibility_custom_action_16 = 0x7f080014;
public static final int accessibility_custom_action_17 = 0x7f080015;
public static final int accessibility_custom_action_18 = 0x7f080016;
public static final int accessibility_custom_action_19 = 0x7f080017;
public static final int accessibility_custom_action_2 = 0x7f080018;
public static final int accessibility_custom_action_20 = 0x7f080019;
public static final int accessibility_custom_action_21 = 0x7f08001a;
public static final int accessibility_custom_action_22 = 0x7f08001b;
public static final int accessibility_custom_action_23 = 0x7f08001c;
public static final int accessibility_custom_action_24 = 0x7f08001d;
public static final int accessibility_custom_action_25 = 0x7f08001e;
public static final int accessibility_custom_action_26 = 0x7f08001f;
public static final int accessibility_custom_action_27 = 0x7f080020;
public static final int accessibility_custom_action_28 = 0x7f080021;
public static final int accessibility_custom_action_29 = 0x7f080022;
public static final int accessibility_custom_action_3 = 0x7f080023;
public static final int accessibility_custom_action_30 = 0x7f080024;
public static final int accessibility_custom_action_31 = 0x7f080025;
public static final int accessibility_custom_action_4 = 0x7f080026;
public static final int accessibility_custom_action_5 = 0x7f080027;
public static final int accessibility_custom_action_6 = 0x7f080028;
public static final int accessibility_custom_action_7 = 0x7f080029;
public static final int accessibility_custom_action_8 = 0x7f08002a;
public static final int accessibility_custom_action_9 = 0x7f08002b;
public static final int accessibility_hint = 0x7f08002c;
public static final int accessibility_label = 0x7f08002d;
public static final int accessibility_role = 0x7f08002e;
public static final int accessibility_state = 0x7f08002f;
public static final int accessibility_value = 0x7f080030;
public static final int action_bar = 0x7f080031;
public static final int action_bar_activity_content = 0x7f080032;
public static final int action_bar_container = 0x7f080033;
public static final int action_bar_root = 0x7f080034;
public static final int action_bar_spinner = 0x7f080035;
public static final int action_bar_subtitle = 0x7f080036;
public static final int action_bar_title = 0x7f080037;
public static final int action_container = 0x7f080038;
public static final int action_context_bar = 0x7f080039;
public static final int action_divider = 0x7f08003a;
public static final int action_image = 0x7f08003b;
public static final int action_menu_divider = 0x7f08003c;
public static final int action_menu_presenter = 0x7f08003d;
public static final int action_mode_bar = 0x7f08003e;
public static final int action_mode_bar_stub = 0x7f08003f;
public static final int action_mode_close_button = 0x7f080040;
public static final int action_text = 0x7f080041;
public static final int actions = 0x7f080042;
public static final int activity_chooser_view_content = 0x7f080043;
public static final int add = 0x7f080044;
public static final int alertTitle = 0x7f080045;
public static final int async = 0x7f080048;
public static final int auto = 0x7f080049;
public static final int blocking = 0x7f08004b;
public static final int bottom = 0x7f08004c;
public static final int buttonPanel = 0x7f08004d;
public static final int cancel_button = 0x7f08004e;
public static final int catalyst_redbox_title = 0x7f08004f;
public static final int center = 0x7f080050;
public static final int centerCrop = 0x7f080051;
public static final int centerInside = 0x7f080052;
public static final int checkbox = 0x7f080055;
public static final int checked = 0x7f080056;
public static final int chip = 0x7f080057;
public static final int chip_group = 0x7f080058;
public static final int chronometer = 0x7f080059;
public static final int clear_text = 0x7f08005a;
public static final int confirm_button = 0x7f08005e;
public static final int container = 0x7f08005f;
public static final int content = 0x7f080060;
public static final int contentPanel = 0x7f080061;
public static final int coordinator = 0x7f080062;
public static final int custom = 0x7f080063;
public static final int customPanel = 0x7f080064;
public static final int cut = 0x7f080065;
public static final int date_picker_actions = 0x7f080066;
public static final int decor_content_parent = 0x7f080067;
public static final int default_activity_button = 0x7f080068;
public static final int design_bottom_sheet = 0x7f080069;
public static final int design_menu_item_action_area = 0x7f08006a;
public static final int design_menu_item_action_area_stub = 0x7f08006b;
public static final int design_menu_item_text = 0x7f08006c;
public static final int design_navigation_view = 0x7f08006d;
public static final int dialog_button = 0x7f08006e;
public static final int dropdown_menu = 0x7f080070;
public static final int edit_query = 0x7f080071;
public static final int end = 0x7f080072;
public static final int expand_activities_button = 0x7f080076;
public static final int expanded_menu = 0x7f080077;
public static final int fade = 0x7f080078;
public static final int fill = 0x7f080079;
public static final int filled = 0x7f08007c;
public static final int filter_chip = 0x7f08007d;
public static final int fitBottomStart = 0x7f08007e;
public static final int fitCenter = 0x7f08007f;
public static final int fitEnd = 0x7f080080;
public static final int fitStart = 0x7f080081;
public static final int fitXY = 0x7f080083;
public static final int fixed = 0x7f080084;
public static final int focusCrop = 0x7f080085;
public static final int forever = 0x7f080086;
public static final int fps_text = 0x7f080087;
public static final int fragment_container_view_tag = 0x7f080088;
public static final int ghost_view = 0x7f080089;
public static final int ghost_view_holder = 0x7f08008a;
public static final int group_divider = 0x7f08008b;
public static final int home = 0x7f08008d;
public static final int icon = 0x7f08008f;
public static final int icon_group = 0x7f080090;
public static final int image = 0x7f080092;
public static final int info = 0x7f080093;
public static final int italic = 0x7f080094;
public static final int item_touch_helper_previous_elevation = 0x7f080095;
public static final int labeled = 0x7f080096;
public static final int largeLabel = 0x7f080097;
public static final int left = 0x7f080098;
public static final int line1 = 0x7f080099;
public static final int line3 = 0x7f08009a;
public static final int listMode = 0x7f08009b;
public static final int list_item = 0x7f08009c;
public static final int masked = 0x7f08009d;
public static final int message = 0x7f08009e;
public static final int mini = 0x7f0800a0;
public static final int month_grid = 0x7f0800a1;
public static final int month_navigation_bar = 0x7f0800a2;
public static final int month_navigation_fragment_toggle = 0x7f0800a3;
public static final int month_navigation_next = 0x7f0800a4;
public static final int month_navigation_previous = 0x7f0800a5;
public static final int month_title = 0x7f0800a6;
public static final int mtrl_calendar_day_selector_frame = 0x7f0800a7;
public static final int mtrl_calendar_days_of_week = 0x7f0800a8;
public static final int mtrl_calendar_frame = 0x7f0800a9;
public static final int mtrl_calendar_main_pane = 0x7f0800aa;
public static final int mtrl_calendar_months = 0x7f0800ab;
public static final int mtrl_calendar_selection_frame = 0x7f0800ac;
public static final int mtrl_calendar_text_input_frame = 0x7f0800ad;
public static final int mtrl_calendar_year_selector_frame = 0x7f0800ae;
public static final int mtrl_card_checked_layer_id = 0x7f0800af;
public static final int mtrl_child_content_container = 0x7f0800b0;
public static final int mtrl_internal_children_alpha_tag = 0x7f0800b1;
public static final int mtrl_picker_fullscreen = 0x7f0800b2;
public static final int mtrl_picker_header = 0x7f0800b3;
public static final int mtrl_picker_header_selection_text = 0x7f0800b4;
public static final int mtrl_picker_header_title_and_selection = 0x7f0800b5;
public static final int mtrl_picker_header_toggle = 0x7f0800b6;
public static final int mtrl_picker_text_input_date = 0x7f0800b7;
public static final int mtrl_picker_text_input_range_end = 0x7f0800b8;
public static final int mtrl_picker_text_input_range_start = 0x7f0800b9;
public static final int mtrl_picker_title_text = 0x7f0800ba;
public static final int multiply = 0x7f0800bb;
public static final int navigation_header_container = 0x7f0800bc;
public static final int none = 0x7f0800bf;
public static final int normal = 0x7f0800c0;
public static final int notification_background = 0x7f0800c1;
public static final int notification_main_column = 0x7f0800c2;
public static final int notification_main_column_container = 0x7f0800c3;
public static final int off = 0x7f0800c4;
public static final int on = 0x7f0800c5;
public static final int outline = 0x7f0800c6;
public static final int parallax = 0x7f0800c7;
public static final int parentPanel = 0x7f0800c8;
public static final int parent_matrix = 0x7f0800c9;
public static final int password_toggle = 0x7f0800ca;
public static final int pin = 0x7f0800cc;
public static final int progress_circular = 0x7f0800cd;
public static final int progress_horizontal = 0x7f0800ce;
public static final int radio = 0x7f0800cf;
public static final int react_test_id = 0x7f0800d0;
public static final int right = 0x7f0800d1;
public static final int right_icon = 0x7f0800d2;
public static final int right_side = 0x7f0800d3;
public static final int rn_frame_file = 0x7f0800d4;
public static final int rn_frame_method = 0x7f0800d5;
public static final int rn_redbox_dismiss_button = 0x7f0800d6;
public static final int rn_redbox_line_separator = 0x7f0800d7;
public static final int rn_redbox_loading_indicator = 0x7f0800d8;
public static final int rn_redbox_reload_button = 0x7f0800d9;
public static final int rn_redbox_report_button = 0x7f0800da;
public static final int rn_redbox_report_label = 0x7f0800db;
public static final int rn_redbox_stack = 0x7f0800dc;
public static final int rounded = 0x7f0800dd;
public static final int save_non_transition_alpha = 0x7f0800de;
public static final int save_overlay_view = 0x7f0800df;
public static final int scale = 0x7f0800e0;
public static final int screen = 0x7f0800e1;
public static final int scrollIndicatorDown = 0x7f0800e3;
public static final int scrollIndicatorUp = 0x7f0800e4;
public static final int scrollView = 0x7f0800e5;
public static final int scrollable = 0x7f0800e6;
public static final int search_badge = 0x7f0800e7;
public static final int search_bar = 0x7f0800e8;
public static final int search_button = 0x7f0800e9;
public static final int search_close_btn = 0x7f0800ea;
public static final int search_edit_frame = 0x7f0800eb;
public static final int search_go_btn = 0x7f0800ec;
public static final int search_mag_icon = 0x7f0800ed;
public static final int search_plate = 0x7f0800ee;
public static final int search_src_text = 0x7f0800ef;
public static final int search_voice_btn = 0x7f0800f0;
public static final int select_dialog_listview = 0x7f0800f1;
public static final int selected = 0x7f0800f2;
public static final int shortcut = 0x7f0800f3;
public static final int slide = 0x7f0800f8;
public static final int smallLabel = 0x7f0800f9;
public static final int snackbar_action = 0x7f0800fa;
public static final int snackbar_text = 0x7f0800fb;
public static final int spacer = 0x7f0800fe;
public static final int split_action_bar = 0x7f0800ff;
public static final int src_atop = 0x7f080100;
public static final int src_in = 0x7f080101;
public static final int src_over = 0x7f080102;
public static final int start = 0x7f080103;
public static final int stretch = 0x7f080104;
public static final int submenuarrow = 0x7f080105;
public static final int submit_area = 0x7f080106;
public static final int tabMode = 0x7f080107;
public static final int tag_accessibility_actions = 0x7f080108;
public static final int tag_accessibility_clickable_spans = 0x7f080109;
public static final int tag_accessibility_heading = 0x7f08010a;
public static final int tag_accessibility_pane_title = 0x7f08010b;
public static final int tag_screen_reader_focusable = 0x7f08010c;
public static final int tag_transition_group = 0x7f08010d;
public static final int tag_unhandled_key_event_manager = 0x7f08010e;
public static final int tag_unhandled_key_listeners = 0x7f08010f;
public static final int test_checkbox_android_button_tint = 0x7f080110;
public static final int test_checkbox_app_button_tint = 0x7f080111;
public static final int text = 0x7f080112;
public static final int text2 = 0x7f080113;
public static final int textSpacerNoButtons = 0x7f080115;
public static final int textSpacerNoTitle = 0x7f080116;
public static final int text_input_end_icon = 0x7f080118;
public static final int text_input_start_icon = 0x7f080119;
public static final int textinput_counter = 0x7f08011a;
public static final int textinput_error = 0x7f08011b;
public static final int textinput_helper_text = 0x7f08011c;
public static final int time = 0x7f08011d;
public static final int title = 0x7f08011e;
public static final int titleDividerNoCustom = 0x7f08011f;
public static final int title_template = 0x7f080120;
public static final int top = 0x7f080121;
public static final int topPanel = 0x7f080122;
public static final int touch_outside = 0x7f080123;
public static final int transition_current_scene = 0x7f080124;
public static final int transition_layout_save = 0x7f080125;
public static final int transition_position = 0x7f080126;
public static final int transition_scene_layoutid_cache = 0x7f080127;
public static final int transition_transform = 0x7f080128;
public static final int unchecked = 0x7f080129;
public static final int uniform = 0x7f08012a;
public static final int unlabeled = 0x7f08012b;
public static final int up = 0x7f08012c;
public static final int view_offset_helper = 0x7f08012e;
public static final int view_tag_instance_handle = 0x7f08012f;
public static final int view_tag_native_id = 0x7f080130;
public static final int visible = 0x7f080131;
public static final int visible_removing_fragment_view_tag = 0x7f080132;
public static final int wrap_content = 0x7f080134;
}
public static final class integer {
private integer() {}
public static final int abc_config_activityDefaultDur = 0x7f090000;
public static final int abc_config_activityShortDur = 0x7f090001;
public static final int app_bar_elevation_anim_duration = 0x7f090002;
public static final int bottom_sheet_slide_duration = 0x7f090003;
public static final int cancel_button_image_alpha = 0x7f090004;
public static final int config_tooltipAnimTime = 0x7f090005;
public static final int design_snackbar_text_max_lines = 0x7f090006;
public static final int design_tab_indicator_anim_duration_ms = 0x7f090007;
public static final int hide_password_duration = 0x7f090008;
public static final int mtrl_badge_max_character_count = 0x7f090009;
public static final int mtrl_btn_anim_delay_ms = 0x7f09000a;
public static final int mtrl_btn_anim_duration_ms = 0x7f09000b;
public static final int mtrl_calendar_header_orientation = 0x7f09000c;
public static final int mtrl_calendar_selection_text_lines = 0x7f09000d;
public static final int mtrl_calendar_year_selector_span = 0x7f09000e;
public static final int mtrl_card_anim_delay_ms = 0x7f09000f;
public static final int mtrl_card_anim_duration_ms = 0x7f090010;
public static final int mtrl_chip_anim_duration = 0x7f090011;
public static final int mtrl_tab_indicator_anim_duration_ms = 0x7f090012;
public static final int react_native_dev_server_port = 0x7f090013;
public static final int react_native_inspector_proxy_port = 0x7f090014;
public static final int show_password_duration = 0x7f090015;
public static final int status_bar_notification_info_maxnum = 0x7f090016;
}
public static final class interpolator {
private interpolator() {}
public static final int btn_checkbox_checked_mtrl_animation_interpolator_0 = 0x7f0a0000;
public static final int btn_checkbox_checked_mtrl_animation_interpolator_1 = 0x7f0a0001;
public static final int btn_checkbox_unchecked_mtrl_animation_interpolator_0 = 0x7f0a0002;
public static final int btn_checkbox_unchecked_mtrl_animation_interpolator_1 = 0x7f0a0003;
public static final int btn_radio_to_off_mtrl_animation_interpolator_0 = 0x7f0a0004;
public static final int btn_radio_to_on_mtrl_animation_interpolator_0 = 0x7f0a0005;
public static final int fast_out_slow_in = 0x7f0a0006;
public static final int mtrl_fast_out_linear_in = 0x7f0a0007;
public static final int mtrl_fast_out_slow_in = 0x7f0a0008;
public static final int mtrl_linear = 0x7f0a0009;
public static final int mtrl_linear_out_slow_in = 0x7f0a000a;
}
public static final class layout {
private layout() {}
public static final int abc_action_bar_title_item = 0x7f0b0000;
public static final int abc_action_bar_up_container = 0x7f0b0001;
public static final int abc_action_menu_item_layout = 0x7f0b0002;
public static final int abc_action_menu_layout = 0x7f0b0003;
public static final int abc_action_mode_bar = 0x7f0b0004;
public static final int abc_action_mode_close_item_material = 0x7f0b0005;
public static final int abc_activity_chooser_view = 0x7f0b0006;
public static final int abc_activity_chooser_view_list_item = 0x7f0b0007;
public static final int abc_alert_dialog_button_bar_material = 0x7f0b0008;
public static final int abc_alert_dialog_material = 0x7f0b0009;
public static final int abc_alert_dialog_title_material = 0x7f0b000a;
public static final int abc_cascading_menu_item_layout = 0x7f0b000b;
public static final int abc_dialog_title_material = 0x7f0b000c;
public static final int abc_expanded_menu_layout = 0x7f0b000d;
public static final int abc_list_menu_item_checkbox = 0x7f0b000e;
public static final int abc_list_menu_item_icon = 0x7f0b000f;
public static final int abc_list_menu_item_layout = 0x7f0b0010;
public static final int abc_list_menu_item_radio = 0x7f0b0011;
public static final int abc_popup_menu_header_item_layout = 0x7f0b0012;
public static final int abc_popup_menu_item_layout = 0x7f0b0013;
public static final int abc_screen_content_include = 0x7f0b0014;
public static final int abc_screen_simple = 0x7f0b0015;
public static final int abc_screen_simple_overlay_action_mode = 0x7f0b0016;
public static final int abc_screen_toolbar = 0x7f0b0017;
public static final int abc_search_dropdown_item_icons_2line = 0x7f0b0018;
public static final int abc_search_view = 0x7f0b0019;
public static final int abc_select_dialog_material = 0x7f0b001a;
public static final int abc_tooltip = 0x7f0b001b;
public static final int custom_dialog = 0x7f0b001c;
public static final int design_bottom_navigation_item = 0x7f0b001d;
public static final int design_bottom_sheet_dialog = 0x7f0b001e;
public static final int design_layout_snackbar = 0x7f0b001f;
public static final int design_layout_snackbar_include = 0x7f0b0020;
public static final int design_layout_tab_icon = 0x7f0b0021;
public static final int design_layout_tab_text = 0x7f0b0022;
public static final int design_menu_item_action_area = 0x7f0b0023;
public static final int design_navigation_item = 0x7f0b0024;
public static final int design_navigation_item_header = 0x7f0b0025;
public static final int design_navigation_item_separator = 0x7f0b0026;
public static final int design_navigation_item_subheader = 0x7f0b0027;
public static final int design_navigation_menu = 0x7f0b0028;
public static final int design_navigation_menu_item = 0x7f0b0029;
public static final int design_text_input_end_icon = 0x7f0b002a;
public static final int design_text_input_start_icon = 0x7f0b002b;
public static final int dev_loading_view = 0x7f0b002c;
public static final int fps_view = 0x7f0b002d;
public static final int mtrl_alert_dialog = 0x7f0b002e;
public static final int mtrl_alert_dialog_actions = 0x7f0b002f;
public static final int mtrl_alert_dialog_title = 0x7f0b0030;
public static final int mtrl_alert_select_dialog_item = 0x7f0b0031;
public static final int mtrl_alert_select_dialog_multichoice = 0x7f0b0032;
public static final int mtrl_alert_select_dialog_singlechoice = 0x7f0b0033;
public static final int mtrl_calendar_day = 0x7f0b0034;
public static final int mtrl_calendar_day_of_week = 0x7f0b0035;
public static final int mtrl_calendar_days_of_week = 0x7f0b0036;
public static final int mtrl_calendar_horizontal = 0x7f0b0037;
public static final int mtrl_calendar_month = 0x7f0b0038;
public static final int mtrl_calendar_month_labeled = 0x7f0b0039;
public static final int mtrl_calendar_month_navigation = 0x7f0b003a;
public static final int mtrl_calendar_months = 0x7f0b003b;
public static final int mtrl_calendar_vertical = 0x7f0b003c;
public static final int mtrl_calendar_year = 0x7f0b003d;
public static final int mtrl_layout_snackbar = 0x7f0b003e;
public static final int mtrl_layout_snackbar_include = 0x7f0b003f;
public static final int mtrl_picker_actions = 0x7f0b0040;
public static final int mtrl_picker_dialog = 0x7f0b0041;
public static final int mtrl_picker_fullscreen = 0x7f0b0042;
public static final int mtrl_picker_header_dialog = 0x7f0b0043;
public static final int mtrl_picker_header_fullscreen = 0x7f0b0044;
public static final int mtrl_picker_header_selection_text = 0x7f0b0045;
public static final int mtrl_picker_header_title_text = 0x7f0b0046;
public static final int mtrl_picker_header_toggle = 0x7f0b0047;
public static final int mtrl_picker_text_input_date = 0x7f0b0048;
public static final int mtrl_picker_text_input_date_range = 0x7f0b0049;
public static final int notification_action = 0x7f0b004a;
public static final int notification_action_tombstone = 0x7f0b004b;
public static final int notification_template_custom_big = 0x7f0b004c;
public static final int notification_template_icon_group = 0x7f0b004d;
public static final int notification_template_part_chronometer = 0x7f0b004e;
public static final int notification_template_part_time = 0x7f0b004f;
public static final int redbox_item_frame = 0x7f0b0050;
public static final int redbox_item_title = 0x7f0b0051;
public static final int redbox_view = 0x7f0b0052;
public static final int select_dialog_item_material = 0x7f0b0053;
public static final int select_dialog_multichoice_material = 0x7f0b0054;
public static final int select_dialog_singlechoice_material = 0x7f0b0055;
public static final int support_simple_spinner_dropdown_item = 0x7f0b0056;
public static final int test_action_chip = 0x7f0b0057;
public static final int test_design_checkbox = 0x7f0b0058;
public static final int test_reflow_chipgroup = 0x7f0b0059;
public static final int test_toolbar = 0x7f0b005a;
public static final int test_toolbar_custom_background = 0x7f0b005b;
public static final int test_toolbar_elevation = 0x7f0b005c;
public static final int test_toolbar_surface = 0x7f0b005d;
public static final int text_view_with_line_height_from_appearance = 0x7f0b005e;
public static final int text_view_with_line_height_from_layout = 0x7f0b005f;
public static final int text_view_with_line_height_from_style = 0x7f0b0060;
public static final int text_view_with_theme_line_height = 0x7f0b0061;
public static final int text_view_without_line_height = 0x7f0b0062;
}
public static final class plurals {
private plurals() {}
public static final int mtrl_badge_content_description = 0x7f0d0000;
}
public static final class string {
private string() {}
public static final int abc_action_bar_home_description = 0x7f0f0000;
public static final int abc_action_bar_up_description = 0x7f0f0001;
public static final int abc_action_menu_overflow_description = 0x7f0f0002;
public static final int abc_action_mode_done = 0x7f0f0003;
public static final int abc_activity_chooser_view_see_all = 0x7f0f0004;
public static final int abc_activitychooserview_choose_application = 0x7f0f0005;
public static final int abc_capital_off = 0x7f0f0006;
public static final int abc_capital_on = 0x7f0f0007;
public static final int abc_menu_alt_shortcut_label = 0x7f0f0008;
public static final int abc_menu_ctrl_shortcut_label = 0x7f0f0009;
public static final int abc_menu_delete_shortcut_label = 0x7f0f000a;
public static final int abc_menu_enter_shortcut_label = 0x7f0f000b;
public static final int abc_menu_function_shortcut_label = 0x7f0f000c;
public static final int abc_menu_meta_shortcut_label = 0x7f0f000d;
public static final int abc_menu_shift_shortcut_label = 0x7f0f000e;
public static final int abc_menu_space_shortcut_label = 0x7f0f000f;
public static final int abc_menu_sym_shortcut_label = 0x7f0f0010;
public static final int abc_prepend_shortcut_label = 0x7f0f0011;
public static final int abc_search_hint = 0x7f0f0012;
public static final int abc_searchview_description_clear = 0x7f0f0013;
public static final int abc_searchview_description_query = 0x7f0f0014;
public static final int abc_searchview_description_search = 0x7f0f0015;
public static final int abc_searchview_description_submit = 0x7f0f0016;
public static final int abc_searchview_description_voice = 0x7f0f0017;
public static final int abc_shareactionprovider_share_with = 0x7f0f0018;
public static final int abc_shareactionprovider_share_with_application = 0x7f0f0019;
public static final int abc_toolbar_collapse_description = 0x7f0f001a;
public static final int alert_description = 0x7f0f001b;
public static final int appbar_scrolling_view_behavior = 0x7f0f001d;
public static final int bottom_sheet_behavior = 0x7f0f001e;
public static final int button_description = 0x7f0f001f;
public static final int catalyst_change_bundle_location = 0x7f0f0020;
public static final int catalyst_copy_button = 0x7f0f0021;
public static final int catalyst_debug = 0x7f0f0022;
public static final int catalyst_debug_chrome = 0x7f0f0023;
public static final int catalyst_debug_chrome_stop = 0x7f0f0024;
public static final int catalyst_debug_connecting = 0x7f0f0025;
public static final int catalyst_debug_error = 0x7f0f0026;
public static final int catalyst_debug_nuclide = 0x7f0f0027;
public static final int catalyst_debug_nuclide_error = 0x7f0f0028;
public static final int catalyst_debug_stop = 0x7f0f0029;
public static final int catalyst_dismiss_button = 0x7f0f002a;
public static final int catalyst_heap_capture = 0x7f0f002b;
public static final int catalyst_hot_reloading = 0x7f0f002c;
public static final int catalyst_hot_reloading_auto_disable = 0x7f0f002d;
public static final int catalyst_hot_reloading_auto_enable = 0x7f0f002e;
public static final int catalyst_hot_reloading_stop = 0x7f0f002f;
public static final int catalyst_inspector = 0x7f0f0030;
public static final int catalyst_loading_from_url = 0x7f0f0031;
public static final int catalyst_perf_monitor = 0x7f0f0032;
public static final int catalyst_perf_monitor_stop = 0x7f0f0033;
public static final int catalyst_reload = 0x7f0f0034;
public static final int catalyst_reload_button = 0x7f0f0035;
public static final int catalyst_reload_error = 0x7f0f0036;
public static final int catalyst_report_button = 0x7f0f0037;
public static final int catalyst_sample_profiler_disable = 0x7f0f0038;
public static final int catalyst_sample_profiler_enable = 0x7f0f0039;
public static final int catalyst_settings = 0x7f0f003a;
public static final int catalyst_settings_title = 0x7f0f003b;
public static final int character_counter_content_description = 0x7f0f003c;
public static final int character_counter_overflowed_content_description = 0x7f0f003d;
public static final int character_counter_pattern = 0x7f0f003e;
public static final int chip_text = 0x7f0f003f;
public static final int clear_text_end_icon_content_description = 0x7f0f0040;
public static final int combobox_description = 0x7f0f0041;
public static final int error_icon_content_description = 0x7f0f0042;
public static final int exposed_dropdown_menu_content_description = 0x7f0f0043;
public static final int fab_transformation_scrim_behavior = 0x7f0f0044;
public static final int fab_transformation_sheet_behavior = 0x7f0f0045;
public static final int header_description = 0x7f0f0046;
public static final int hide_bottom_view_on_scroll_behavior = 0x7f0f0047;
public static final int icon_content_description = 0x7f0f0048;
public static final int image_description = 0x7f0f0049;
public static final int imagebutton_description = 0x7f0f004a;
public static final int link_description = 0x7f0f004b;
public static final int menu_description = 0x7f0f004c;
public static final int menubar_description = 0x7f0f004d;
public static final int menuitem_description = 0x7f0f004e;
public static final int mtrl_badge_numberless_content_description = 0x7f0f004f;
public static final int mtrl_chip_close_icon_content_description = 0x7f0f0050;
public static final int mtrl_exceed_max_badge_number_suffix = 0x7f0f0051;
public static final int mtrl_picker_a11y_next_month = 0x7f0f0052;
public static final int mtrl_picker_a11y_prev_month = 0x7f0f0053;
public static final int mtrl_picker_announce_current_selection = 0x7f0f0054;
public static final int mtrl_picker_cancel = 0x7f0f0055;
public static final int mtrl_picker_confirm = 0x7f0f0056;
public static final int mtrl_picker_date_header_selected = 0x7f0f0057;
public static final int mtrl_picker_date_header_title = 0x7f0f0058;
public static final int mtrl_picker_date_header_unselected = 0x7f0f0059;
public static final int mtrl_picker_day_of_week_column_header = 0x7f0f005a;
public static final int mtrl_picker_invalid_format = 0x7f0f005b;
public static final int mtrl_picker_invalid_format_example = 0x7f0f005c;
public static final int mtrl_picker_invalid_format_use = 0x7f0f005d;
public static final int mtrl_picker_invalid_range = 0x7f0f005e;
public static final int mtrl_picker_navigate_to_year_description = 0x7f0f005f;
public static final int mtrl_picker_out_of_range = 0x7f0f0060;
public static final int mtrl_picker_range_header_only_end_selected = 0x7f0f0061;
public static final int mtrl_picker_range_header_only_start_selected = 0x7f0f0062;
public static final int mtrl_picker_range_header_selected = 0x7f0f0063;
public static final int mtrl_picker_range_header_title = 0x7f0f0064;
public static final int mtrl_picker_range_header_unselected = 0x7f0f0065;
public static final int mtrl_picker_save = 0x7f0f0066;
public static final int mtrl_picker_text_input_date_hint = 0x7f0f0067;
public static final int mtrl_picker_text_input_date_range_end_hint = 0x7f0f0068;
public static final int mtrl_picker_text_input_date_range_start_hint = 0x7f0f0069;
public static final int mtrl_picker_text_input_day_abbr = 0x7f0f006a;
public static final int mtrl_picker_text_input_month_abbr = 0x7f0f006b;
public static final int mtrl_picker_text_input_year_abbr = 0x7f0f006c;
public static final int mtrl_picker_toggle_to_calendar_input_mode = 0x7f0f006d;
public static final int mtrl_picker_toggle_to_day_selection = 0x7f0f006e;
public static final int mtrl_picker_toggle_to_text_input_mode = 0x7f0f006f;
public static final int mtrl_picker_toggle_to_year_selection = 0x7f0f0070;
public static final int password_toggle_content_description = 0x7f0f0071;
public static final int path_password_eye = 0x7f0f0072;
public static final int path_password_eye_mask_strike_through = 0x7f0f0073;
public static final int path_password_eye_mask_visible = 0x7f0f0074;
public static final int path_password_strike_through = 0x7f0f0075;
public static final int progressbar_description = 0x7f0f0076;
public static final int radiogroup_description = 0x7f0f0077;
public static final int rn_tab_description = 0x7f0f0078;
public static final int scrollbar_description = 0x7f0f0079;
public static final int search_description = 0x7f0f007a;
public static final int search_menu_title = 0x7f0f007b;
public static final int spinbutton_description = 0x7f0f007c;
public static final int state_busy_description = 0x7f0f007d;
public static final int state_collapsed_description = 0x7f0f007e;
public static final int state_expanded_description = 0x7f0f007f;
public static final int state_mixed_description = 0x7f0f0080;
public static final int state_off_description = 0x7f0f0081;
public static final int state_on_description = 0x7f0f0082;
public static final int status_bar_notification_info_overflow = 0x7f0f0083;
public static final int summary_description = 0x7f0f0084;
public static final int tablist_description = 0x7f0f0085;
public static final int timer_description = 0x7f0f0086;
public static final int toolbar_description = 0x7f0f0087;
}
public static final class style {
private style() {}
public static final int AlertDialog_AppCompat = 0x7f100000;
public static final int AlertDialog_AppCompat_Light = 0x7f100001;
public static final int Animation_AppCompat_Dialog = 0x7f100002;
public static final int Animation_AppCompat_DropDownUp = 0x7f100003;
public static final int Animation_AppCompat_Tooltip = 0x7f100004;
public static final int Animation_Catalyst_LogBox = 0x7f100005;
public static final int Animation_Catalyst_RedBox = 0x7f100006;
public static final int Animation_Design_BottomSheetDialog = 0x7f100007;
public static final int Animation_MaterialComponents_BottomSheetDialog = 0x7f100008;
public static final int Base_AlertDialog_AppCompat = 0x7f10000a;
public static final int Base_AlertDialog_AppCompat_Light = 0x7f10000b;
public static final int Base_Animation_AppCompat_Dialog = 0x7f10000c;
public static final int Base_Animation_AppCompat_DropDownUp = 0x7f10000d;
public static final int Base_Animation_AppCompat_Tooltip = 0x7f10000e;
public static final int Base_CardView = 0x7f10000f;
public static final int Base_DialogWindowTitleBackground_AppCompat = 0x7f100011;
public static final int Base_DialogWindowTitle_AppCompat = 0x7f100010;
public static final int Base_MaterialAlertDialog_MaterialComponents_Title_Icon = 0x7f100012;
public static final int Base_MaterialAlertDialog_MaterialComponents_Title_Panel = 0x7f100013;
public static final int Base_MaterialAlertDialog_MaterialComponents_Title_Text = 0x7f100014;
public static final int Base_TextAppearance_AppCompat = 0x7f100015;
public static final int Base_TextAppearance_AppCompat_Body1 = 0x7f100016;
public static final int Base_TextAppearance_AppCompat_Body2 = 0x7f100017;
public static final int Base_TextAppearance_AppCompat_Button = 0x7f100018;
public static final int Base_TextAppearance_AppCompat_Caption = 0x7f100019;
public static final int Base_TextAppearance_AppCompat_Display1 = 0x7f10001a;
public static final int Base_TextAppearance_AppCompat_Display2 = 0x7f10001b;
public static final int Base_TextAppearance_AppCompat_Display3 = 0x7f10001c;
public static final int Base_TextAppearance_AppCompat_Display4 = 0x7f10001d;
public static final int Base_TextAppearance_AppCompat_Headline = 0x7f10001e;
public static final int Base_TextAppearance_AppCompat_Inverse = 0x7f10001f;
public static final int Base_TextAppearance_AppCompat_Large = 0x7f100020;
public static final int Base_TextAppearance_AppCompat_Large_Inverse = 0x7f100021;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = 0x7f100022;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = 0x7f100023;
public static final int Base_TextAppearance_AppCompat_Medium = 0x7f100024;
public static final int Base_TextAppearance_AppCompat_Medium_Inverse = 0x7f100025;
public static final int Base_TextAppearance_AppCompat_Menu = 0x7f100026;
public static final int Base_TextAppearance_AppCompat_SearchResult = 0x7f100027;
public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle = 0x7f100028;
public static final int Base_TextAppearance_AppCompat_SearchResult_Title = 0x7f100029;
public static final int Base_TextAppearance_AppCompat_Small = 0x7f10002a;
public static final int Base_TextAppearance_AppCompat_Small_Inverse = 0x7f10002b;
public static final int Base_TextAppearance_AppCompat_Subhead = 0x7f10002c;
public static final int Base_TextAppearance_AppCompat_Subhead_Inverse = 0x7f10002d;
public static final int Base_TextAppearance_AppCompat_Title = 0x7f10002e;
public static final int Base_TextAppearance_AppCompat_Title_Inverse = 0x7f10002f;
public static final int Base_TextAppearance_AppCompat_Tooltip = 0x7f100030;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu = 0x7f100031;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle = 0x7f100032;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = 0x7f100033;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title = 0x7f100034;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = 0x7f100035;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle = 0x7f100036;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title = 0x7f100037;
public static final int Base_TextAppearance_AppCompat_Widget_Button = 0x7f100038;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored = 0x7f100039;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Colored = 0x7f10003a;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse = 0x7f10003b;
public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem = 0x7f10003c;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header = 0x7f10003d;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large = 0x7f10003e;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small = 0x7f10003f;
public static final int Base_TextAppearance_AppCompat_Widget_Switch = 0x7f100040;
public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem = 0x7f100041;
public static final int Base_TextAppearance_MaterialComponents_Badge = 0x7f100042;
public static final int Base_TextAppearance_MaterialComponents_Button = 0x7f100043;
public static final int Base_TextAppearance_MaterialComponents_Headline6 = 0x7f100044;
public static final int Base_TextAppearance_MaterialComponents_Subtitle2 = 0x7f100045;
public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item = 0x7f100046;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle = 0x7f100047;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title = 0x7f100048;
public static final int Base_ThemeOverlay_AppCompat = 0x7f10006a;
public static final int Base_ThemeOverlay_AppCompat_ActionBar = 0x7f10006b;
public static final int Base_ThemeOverlay_AppCompat_Dark = 0x7f10006c;
public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar = 0x7f10006d;
public static final int Base_ThemeOverlay_AppCompat_Dialog = 0x7f10006e;
public static final int Base_ThemeOverlay_AppCompat_Dialog_Alert = 0x7f10006f;
public static final int Base_ThemeOverlay_AppCompat_Light = 0x7f100070;
public static final int Base_ThemeOverlay_MaterialComponents_Dialog = 0x7f100071;
public static final int Base_ThemeOverlay_MaterialComponents_Dialog_Alert = 0x7f100072;
public static final int Base_ThemeOverlay_MaterialComponents_MaterialAlertDialog = 0x7f100073;
public static final int Base_Theme_AppCompat = 0x7f100049;
public static final int Base_Theme_AppCompat_CompactMenu = 0x7f10004a;
public static final int Base_Theme_AppCompat_Dialog = 0x7f10004b;
public static final int Base_Theme_AppCompat_DialogWhenLarge = 0x7f10004f;
public static final int Base_Theme_AppCompat_Dialog_Alert = 0x7f10004c;
public static final int Base_Theme_AppCompat_Dialog_FixedSize = 0x7f10004d;
public static final int Base_Theme_AppCompat_Dialog_MinWidth = 0x7f10004e;
public static final int Base_Theme_AppCompat_Light = 0x7f100050;
public static final int Base_Theme_AppCompat_Light_DarkActionBar = 0x7f100051;
public static final int Base_Theme_AppCompat_Light_Dialog = 0x7f100052;
public static final int Base_Theme_AppCompat_Light_DialogWhenLarge = 0x7f100056;
public static final int Base_Theme_AppCompat_Light_Dialog_Alert = 0x7f100053;
public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize = 0x7f100054;
public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth = 0x7f100055;
public static final int Base_Theme_MaterialComponents = 0x7f100057;
public static final int Base_Theme_MaterialComponents_Bridge = 0x7f100058;
public static final int Base_Theme_MaterialComponents_CompactMenu = 0x7f100059;
public static final int Base_Theme_MaterialComponents_Dialog = 0x7f10005a;
public static final int Base_Theme_MaterialComponents_DialogWhenLarge = 0x7f10005f;
public static final int Base_Theme_MaterialComponents_Dialog_Alert = 0x7f10005b;
public static final int Base_Theme_MaterialComponents_Dialog_Bridge = 0x7f10005c;
public static final int Base_Theme_MaterialComponents_Dialog_FixedSize = 0x7f10005d;
public static final int Base_Theme_MaterialComponents_Dialog_MinWidth = 0x7f10005e;
public static final int Base_Theme_MaterialComponents_Light = 0x7f100060;
public static final int Base_Theme_MaterialComponents_Light_Bridge = 0x7f100061;
public static final int Base_Theme_MaterialComponents_Light_DarkActionBar = 0x7f100062;
public static final int Base_Theme_MaterialComponents_Light_DarkActionBar_Bridge = 0x7f100063;
public static final int Base_Theme_MaterialComponents_Light_Dialog = 0x7f100064;
public static final int Base_Theme_MaterialComponents_Light_DialogWhenLarge = 0x7f100069;
public static final int Base_Theme_MaterialComponents_Light_Dialog_Alert = 0x7f100065;
public static final int Base_Theme_MaterialComponents_Light_Dialog_Bridge = 0x7f100066;
public static final int Base_Theme_MaterialComponents_Light_Dialog_FixedSize = 0x7f100067;
public static final int Base_Theme_MaterialComponents_Light_Dialog_MinWidth = 0x7f100068;
public static final int Base_V14_ThemeOverlay_MaterialComponents_Dialog = 0x7f10007d;
public static final int Base_V14_ThemeOverlay_MaterialComponents_Dialog_Alert = 0x7f10007e;
public static final int Base_V14_ThemeOverlay_MaterialComponents_MaterialAlertDialog = 0x7f10007f;
public static final int Base_V14_Theme_MaterialComponents = 0x7f100074;
public static final int Base_V14_Theme_MaterialComponents_Bridge = 0x7f100075;
public static final int Base_V14_Theme_MaterialComponents_Dialog = 0x7f100076;
public static final int Base_V14_Theme_MaterialComponents_Dialog_Bridge = 0x7f100077;
public static final int Base_V14_Theme_MaterialComponents_Light = 0x7f100078;
public static final int Base_V14_Theme_MaterialComponents_Light_Bridge = 0x7f100079;
public static final int Base_V14_Theme_MaterialComponents_Light_DarkActionBar_Bridge = 0x7f10007a;
public static final int Base_V14_Theme_MaterialComponents_Light_Dialog = 0x7f10007b;
public static final int Base_V14_Theme_MaterialComponents_Light_Dialog_Bridge = 0x7f10007c;
public static final int Base_V21_ThemeOverlay_AppCompat_Dialog = 0x7f100084;
public static final int Base_V21_Theme_AppCompat = 0x7f100080;
public static final int Base_V21_Theme_AppCompat_Dialog = 0x7f100081;
public static final int Base_V21_Theme_AppCompat_Light = 0x7f100082;
public static final int Base_V21_Theme_AppCompat_Light_Dialog = 0x7f100083;
public static final int Base_V22_Theme_AppCompat = 0x7f100085;
public static final int Base_V22_Theme_AppCompat_Light = 0x7f100086;
public static final int Base_V23_Theme_AppCompat = 0x7f100087;
public static final int Base_V23_Theme_AppCompat_Light = 0x7f100088;
public static final int Base_V26_Theme_AppCompat = 0x7f100089;
public static final int Base_V26_Theme_AppCompat_Light = 0x7f10008a;
public static final int Base_V26_Widget_AppCompat_Toolbar = 0x7f10008b;
public static final int Base_V28_Theme_AppCompat = 0x7f10008c;
public static final int Base_V28_Theme_AppCompat_Light = 0x7f10008d;
public static final int Base_V7_ThemeOverlay_AppCompat_Dialog = 0x7f100092;
public static final int Base_V7_Theme_AppCompat = 0x7f10008e;
public static final int Base_V7_Theme_AppCompat_Dialog = 0x7f10008f;
public static final int Base_V7_Theme_AppCompat_Light = 0x7f100090;
public static final int Base_V7_Theme_AppCompat_Light_Dialog = 0x7f100091;
public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView = 0x7f100093;
public static final int Base_V7_Widget_AppCompat_EditText = 0x7f100094;
public static final int Base_V7_Widget_AppCompat_Toolbar = 0x7f100095;
public static final int Base_Widget_AppCompat_ActionBar = 0x7f100096;
public static final int Base_Widget_AppCompat_ActionBar_Solid = 0x7f100097;
public static final int Base_Widget_AppCompat_ActionBar_TabBar = 0x7f100098;
public static final int Base_Widget_AppCompat_ActionBar_TabText = 0x7f100099;
public static final int Base_Widget_AppCompat_ActionBar_TabView = 0x7f10009a;
public static final int Base_Widget_AppCompat_ActionButton = 0x7f10009b;
public static final int Base_Widget_AppCompat_ActionButton_CloseMode = 0x7f10009c;
public static final int Base_Widget_AppCompat_ActionButton_Overflow = 0x7f10009d;
public static final int Base_Widget_AppCompat_ActionMode = 0x7f10009e;
public static final int Base_Widget_AppCompat_ActivityChooserView = 0x7f10009f;
public static final int Base_Widget_AppCompat_AutoCompleteTextView = 0x7f1000a0;
public static final int Base_Widget_AppCompat_Button = 0x7f1000a1;
public static final int Base_Widget_AppCompat_ButtonBar = 0x7f1000a7;
public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog = 0x7f1000a8;
public static final int Base_Widget_AppCompat_Button_Borderless = 0x7f1000a2;
public static final int Base_Widget_AppCompat_Button_Borderless_Colored = 0x7f1000a3;
public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog = 0x7f1000a4;
public static final int Base_Widget_AppCompat_Button_Colored = 0x7f1000a5;
public static final int Base_Widget_AppCompat_Button_Small = 0x7f1000a6;
public static final int Base_Widget_AppCompat_CompoundButton_CheckBox = 0x7f1000a9;
public static final int Base_Widget_AppCompat_CompoundButton_RadioButton = 0x7f1000aa;
public static final int Base_Widget_AppCompat_CompoundButton_Switch = 0x7f1000ab;
public static final int Base_Widget_AppCompat_DrawerArrowToggle = 0x7f1000ac;
public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common = 0x7f1000ad;
public static final int Base_Widget_AppCompat_DropDownItem_Spinner = 0x7f1000ae;
public static final int Base_Widget_AppCompat_EditText = 0x7f1000af;
public static final int Base_Widget_AppCompat_ImageButton = 0x7f1000b0;
public static final int Base_Widget_AppCompat_Light_ActionBar = 0x7f1000b1;
public static final int Base_Widget_AppCompat_Light_ActionBar_Solid = 0x7f1000b2;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar = 0x7f1000b3;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText = 0x7f1000b4;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse = 0x7f1000b5;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabView = 0x7f1000b6;
public static final int Base_Widget_AppCompat_Light_PopupMenu = 0x7f1000b7;
public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow = 0x7f1000b8;
public static final int Base_Widget_AppCompat_ListMenuView = 0x7f1000b9;
public static final int Base_Widget_AppCompat_ListPopupWindow = 0x7f1000ba;
public static final int Base_Widget_AppCompat_ListView = 0x7f1000bb;
public static final int Base_Widget_AppCompat_ListView_DropDown = 0x7f1000bc;
public static final int Base_Widget_AppCompat_ListView_Menu = 0x7f1000bd;
public static final int Base_Widget_AppCompat_PopupMenu = 0x7f1000be;
public static final int Base_Widget_AppCompat_PopupMenu_Overflow = 0x7f1000bf;
public static final int Base_Widget_AppCompat_PopupWindow = 0x7f1000c0;
public static final int Base_Widget_AppCompat_ProgressBar = 0x7f1000c1;
public static final int Base_Widget_AppCompat_ProgressBar_Horizontal = 0x7f1000c2;
public static final int Base_Widget_AppCompat_RatingBar = 0x7f1000c3;
public static final int Base_Widget_AppCompat_RatingBar_Indicator = 0x7f1000c4;
public static final int Base_Widget_AppCompat_RatingBar_Small = 0x7f1000c5;
public static final int Base_Widget_AppCompat_SearchView = 0x7f1000c6;
public static final int Base_Widget_AppCompat_SearchView_ActionBar = 0x7f1000c7;
public static final int Base_Widget_AppCompat_SeekBar = 0x7f1000c8;
public static final int Base_Widget_AppCompat_SeekBar_Discrete = 0x7f1000c9;
public static final int Base_Widget_AppCompat_Spinner = 0x7f1000ca;
public static final int Base_Widget_AppCompat_Spinner_Underlined = 0x7f1000cb;
public static final int Base_Widget_AppCompat_TextView = 0x7f1000cc;
public static final int Base_Widget_AppCompat_TextView_SpinnerItem = 0x7f1000cd;
public static final int Base_Widget_AppCompat_Toolbar = 0x7f1000ce;
public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation = 0x7f1000cf;
public static final int Base_Widget_Design_TabLayout = 0x7f1000d0;
public static final int Base_Widget_MaterialComponents_AutoCompleteTextView = 0x7f1000d1;
public static final int Base_Widget_MaterialComponents_CheckedTextView = 0x7f1000d2;
public static final int Base_Widget_MaterialComponents_Chip = 0x7f1000d3;
public static final int Base_Widget_MaterialComponents_PopupMenu = 0x7f1000d4;
public static final int Base_Widget_MaterialComponents_PopupMenu_ContextMenu = 0x7f1000d5;
public static final int Base_Widget_MaterialComponents_PopupMenu_ListPopupWindow = 0x7f1000d6;
public static final int Base_Widget_MaterialComponents_PopupMenu_Overflow = 0x7f1000d7;
public static final int Base_Widget_MaterialComponents_TextInputEditText = 0x7f1000d8;
public static final int Base_Widget_MaterialComponents_TextInputLayout = 0x7f1000d9;
public static final int Base_Widget_MaterialComponents_TextView = 0x7f1000da;
public static final int CalendarDatePickerDialog = 0x7f1000db;
public static final int CalendarDatePickerStyle = 0x7f1000dc;
public static final int CardView = 0x7f1000dd;
public static final int CardView_Dark = 0x7f1000de;
public static final int CardView_Light = 0x7f1000df;
public static final int ClockTimePickerDialog = 0x7f1000e0;
public static final int ClockTimePickerStyle = 0x7f1000e1;
public static final int DialogAnimationFade = 0x7f1000e2;
public static final int DialogAnimationSlide = 0x7f1000e3;
public static final int EmptyTheme = 0x7f1000e4;
public static final int MaterialAlertDialog_MaterialComponents = 0x7f1000e5;
public static final int MaterialAlertDialog_MaterialComponents_Body_Text = 0x7f1000e6;
public static final int MaterialAlertDialog_MaterialComponents_Picker_Date_Calendar = 0x7f1000e7;
public static final int MaterialAlertDialog_MaterialComponents_Picker_Date_Spinner = 0x7f1000e8;
public static final int MaterialAlertDialog_MaterialComponents_Title_Icon = 0x7f1000e9;
public static final int MaterialAlertDialog_MaterialComponents_Title_Icon_CenterStacked = 0x7f1000ea;
public static final int MaterialAlertDialog_MaterialComponents_Title_Panel = 0x7f1000eb;
public static final int MaterialAlertDialog_MaterialComponents_Title_Panel_CenterStacked = 0x7f1000ec;
public static final int MaterialAlertDialog_MaterialComponents_Title_Text = 0x7f1000ed;
public static final int MaterialAlertDialog_MaterialComponents_Title_Text_CenterStacked = 0x7f1000ee;
public static final int Platform_AppCompat = 0x7f1000ef;
public static final int Platform_AppCompat_Light = 0x7f1000f0;
public static final int Platform_MaterialComponents = 0x7f1000f1;
public static final int Platform_MaterialComponents_Dialog = 0x7f1000f2;
public static final int Platform_MaterialComponents_Light = 0x7f1000f3;
public static final int Platform_MaterialComponents_Light_Dialog = 0x7f1000f4;
public static final int Platform_ThemeOverlay_AppCompat = 0x7f1000f5;
public static final int Platform_ThemeOverlay_AppCompat_Dark = 0x7f1000f6;
public static final int Platform_ThemeOverlay_AppCompat_Light = 0x7f1000f7;
public static final int Platform_V21_AppCompat = 0x7f1000f8;
public static final int Platform_V21_AppCompat_Light = 0x7f1000f9;
public static final int Platform_V25_AppCompat = 0x7f1000fa;
public static final int Platform_V25_AppCompat_Light = 0x7f1000fb;
public static final int Platform_Widget_AppCompat_Spinner = 0x7f1000fc;
public static final int RtlOverlay_DialogWindowTitle_AppCompat = 0x7f1000fd;
public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem = 0x7f1000fe;
public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon = 0x7f1000ff;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem = 0x7f100100;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup = 0x7f100101;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Shortcut = 0x7f100102;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_SubmenuArrow = 0x7f100103;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text = 0x7f100104;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Title = 0x7f100105;
public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon = 0x7f10010b;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown = 0x7f100106;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1 = 0x7f100107;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2 = 0x7f100108;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query = 0x7f100109;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text = 0x7f10010a;
public static final int RtlUnderlay_Widget_AppCompat_ActionButton = 0x7f10010c;
public static final int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow = 0x7f10010d;
public static final int ShapeAppearanceOverlay = 0x7f100113;
public static final int ShapeAppearanceOverlay_BottomLeftDifferentCornerSize = 0x7f100114;
public static final int ShapeAppearanceOverlay_BottomRightCut = 0x7f100115;
public static final int ShapeAppearanceOverlay_Cut = 0x7f100116;
public static final int ShapeAppearanceOverlay_DifferentCornerSize = 0x7f100117;
public static final int ShapeAppearanceOverlay_MaterialComponents_BottomSheet = 0x7f100118;
public static final int ShapeAppearanceOverlay_MaterialComponents_Chip = 0x7f100119;
public static final int ShapeAppearanceOverlay_MaterialComponents_ExtendedFloatingActionButton = 0x7f10011a;
public static final int ShapeAppearanceOverlay_MaterialComponents_FloatingActionButton = 0x7f10011b;
public static final int ShapeAppearanceOverlay_MaterialComponents_MaterialCalendar_Day = 0x7f10011c;
public static final int ShapeAppearanceOverlay_MaterialComponents_MaterialCalendar_Window_Fullscreen = 0x7f10011d;
public static final int ShapeAppearanceOverlay_MaterialComponents_MaterialCalendar_Year = 0x7f10011e;
public static final int ShapeAppearanceOverlay_MaterialComponents_TextInputLayout_FilledBox = 0x7f10011f;
public static final int ShapeAppearanceOverlay_TopLeftCut = 0x7f100120;
public static final int ShapeAppearanceOverlay_TopRightDifferentCornerSize = 0x7f100121;
public static final int ShapeAppearance_MaterialComponents = 0x7f10010e;
public static final int ShapeAppearance_MaterialComponents_LargeComponent = 0x7f10010f;
public static final int ShapeAppearance_MaterialComponents_MediumComponent = 0x7f100110;
public static final int ShapeAppearance_MaterialComponents_SmallComponent = 0x7f100111;
public static final int ShapeAppearance_MaterialComponents_Test = 0x7f100112;
public static final int SpinnerDatePickerDialog = 0x7f100122;
public static final int SpinnerDatePickerStyle = 0x7f100123;
public static final int SpinnerTimePickerDialog = 0x7f100124;
public static final int SpinnerTimePickerStyle = 0x7f100125;
public static final int TestStyleWithLineHeight = 0x7f10012b;
public static final int TestStyleWithLineHeightAppearance = 0x7f10012c;
public static final int TestStyleWithThemeLineHeightAttribute = 0x7f10012d;
public static final int TestStyleWithoutLineHeight = 0x7f10012e;
public static final int TestThemeWithLineHeight = 0x7f10012f;
public static final int TestThemeWithLineHeightDisabled = 0x7f100130;
public static final int Test_ShapeAppearanceOverlay_MaterialComponents_MaterialCalendar_Day = 0x7f100126;
public static final int Test_Theme_MaterialComponents_MaterialCalendar = 0x7f100127;
public static final int Test_Widget_MaterialComponents_MaterialCalendar = 0x7f100128;
public static final int Test_Widget_MaterialComponents_MaterialCalendar_Day = 0x7f100129;
public static final int Test_Widget_MaterialComponents_MaterialCalendar_Day_Selected = 0x7f10012a;
public static final int TextAppearance_AppCompat = 0x7f100131;
public static final int TextAppearance_AppCompat_Body1 = 0x7f100132;
public static final int TextAppearance_AppCompat_Body2 = 0x7f100133;
public static final int TextAppearance_AppCompat_Button = 0x7f100134;
public static final int TextAppearance_AppCompat_Caption = 0x7f100135;
public static final int TextAppearance_AppCompat_Display1 = 0x7f100136;
public static final int TextAppearance_AppCompat_Display2 = 0x7f100137;
public static final int TextAppearance_AppCompat_Display3 = 0x7f100138;
public static final int TextAppearance_AppCompat_Display4 = 0x7f100139;
public static final int TextAppearance_AppCompat_Headline = 0x7f10013a;
public static final int TextAppearance_AppCompat_Inverse = 0x7f10013b;
public static final int TextAppearance_AppCompat_Large = 0x7f10013c;
public static final int TextAppearance_AppCompat_Large_Inverse = 0x7f10013d;
public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle = 0x7f10013e;
public static final int TextAppearance_AppCompat_Light_SearchResult_Title = 0x7f10013f;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large = 0x7f100140;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small = 0x7f100141;
public static final int TextAppearance_AppCompat_Medium = 0x7f100142;
public static final int TextAppearance_AppCompat_Medium_Inverse = 0x7f100143;
public static final int TextAppearance_AppCompat_Menu = 0x7f100144;
public static final int TextAppearance_AppCompat_SearchResult_Subtitle = 0x7f100145;
public static final int TextAppearance_AppCompat_SearchResult_Title = 0x7f100146;
public static final int TextAppearance_AppCompat_Small = 0x7f100147;
public static final int TextAppearance_AppCompat_Small_Inverse = 0x7f100148;
public static final int TextAppearance_AppCompat_Subhead = 0x7f100149;
public static final int TextAppearance_AppCompat_Subhead_Inverse = 0x7f10014a;
public static final int TextAppearance_AppCompat_Title = 0x7f10014b;
public static final int TextAppearance_AppCompat_Title_Inverse = 0x7f10014c;
public static final int TextAppearance_AppCompat_Tooltip = 0x7f10014d;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu = 0x7f10014e;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle = 0x7f10014f;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse = 0x7f100150;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title = 0x7f100151;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse = 0x7f100152;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle = 0x7f100153;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse = 0x7f100154;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title = 0x7f100155;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse = 0x7f100156;
public static final int TextAppearance_AppCompat_Widget_Button = 0x7f100157;
public static final int TextAppearance_AppCompat_Widget_Button_Borderless_Colored = 0x7f100158;
public static final int TextAppearance_AppCompat_Widget_Button_Colored = 0x7f100159;
public static final int TextAppearance_AppCompat_Widget_Button_Inverse = 0x7f10015a;
public static final int TextAppearance_AppCompat_Widget_DropDownItem = 0x7f10015b;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Header = 0x7f10015c;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large = 0x7f10015d;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small = 0x7f10015e;
public static final int TextAppearance_AppCompat_Widget_Switch = 0x7f10015f;
public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem = 0x7f100160;
public static final int TextAppearance_Compat_Notification = 0x7f100161;
public static final int TextAppearance_Compat_Notification_Info = 0x7f100162;
public static final int TextAppearance_Compat_Notification_Line2 = 0x7f100163;
public static final int TextAppearance_Compat_Notification_Time = 0x7f100164;
public static final int TextAppearance_Compat_Notification_Title = 0x7f100165;
public static final int TextAppearance_Design_CollapsingToolbar_Expanded = 0x7f100166;
public static final int TextAppearance_Design_Counter = 0x7f100167;
public static final int TextAppearance_Design_Counter_Overflow = 0x7f100168;
public static final int TextAppearance_Design_Error = 0x7f100169;
public static final int TextAppearance_Design_HelperText = 0x7f10016a;
public static final int TextAppearance_Design_Hint = 0x7f10016b;
public static final int TextAppearance_Design_Snackbar_Message = 0x7f10016c;
public static final int TextAppearance_Design_Tab = 0x7f10016d;
public static final int TextAppearance_MaterialComponents_Badge = 0x7f10016e;
public static final int TextAppearance_MaterialComponents_Body1 = 0x7f10016f;
public static final int TextAppearance_MaterialComponents_Body2 = 0x7f100170;
public static final int TextAppearance_MaterialComponents_Button = 0x7f100171;
public static final int TextAppearance_MaterialComponents_Caption = 0x7f100172;
public static final int TextAppearance_MaterialComponents_Chip = 0x7f100173;
public static final int TextAppearance_MaterialComponents_Headline1 = 0x7f100174;
public static final int TextAppearance_MaterialComponents_Headline2 = 0x7f100175;
public static final int TextAppearance_MaterialComponents_Headline3 = 0x7f100176;
public static final int TextAppearance_MaterialComponents_Headline4 = 0x7f100177;
public static final int TextAppearance_MaterialComponents_Headline5 = 0x7f100178;
public static final int TextAppearance_MaterialComponents_Headline6 = 0x7f100179;
public static final int TextAppearance_MaterialComponents_Overline = 0x7f10017a;
public static final int TextAppearance_MaterialComponents_Subtitle1 = 0x7f10017b;
public static final int TextAppearance_MaterialComponents_Subtitle2 = 0x7f10017c;
public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item = 0x7f10017d;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle = 0x7f10017e;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Title = 0x7f10017f;
public static final int Theme = 0x7f100180;
public static final int ThemeOverlay_AppCompat = 0x7f1001d5;
public static final int ThemeOverlay_AppCompat_ActionBar = 0x7f1001d6;
public static final int ThemeOverlay_AppCompat_Dark = 0x7f1001d7;
public static final int ThemeOverlay_AppCompat_Dark_ActionBar = 0x7f1001d8;
public static final int ThemeOverlay_AppCompat_DayNight = 0x7f1001d9;
public static final int ThemeOverlay_AppCompat_DayNight_ActionBar = 0x7f1001da;
public static final int ThemeOverlay_AppCompat_Dialog = 0x7f1001db;
public static final int ThemeOverlay_AppCompat_Dialog_Alert = 0x7f1001dc;
public static final int ThemeOverlay_AppCompat_Light = 0x7f1001dd;
public static final int ThemeOverlay_Design_TextInputEditText = 0x7f1001de;
public static final int ThemeOverlay_MaterialComponents = 0x7f1001df;
public static final int ThemeOverlay_MaterialComponents_ActionBar = 0x7f1001e0;
public static final int ThemeOverlay_MaterialComponents_ActionBar_Primary = 0x7f1001e1;
public static final int ThemeOverlay_MaterialComponents_ActionBar_Surface = 0x7f1001e2;
public static final int ThemeOverlay_MaterialComponents_AutoCompleteTextView = 0x7f1001e3;
public static final int ThemeOverlay_MaterialComponents_AutoCompleteTextView_FilledBox = 0x7f1001e4;
public static final int ThemeOverlay_MaterialComponents_AutoCompleteTextView_FilledBox_Dense = 0x7f1001e5;
public static final int ThemeOverlay_MaterialComponents_AutoCompleteTextView_OutlinedBox = 0x7f1001e6;
public static final int ThemeOverlay_MaterialComponents_AutoCompleteTextView_OutlinedBox_Dense = 0x7f1001e7;
public static final int ThemeOverlay_MaterialComponents_BottomAppBar_Primary = 0x7f1001e8;
public static final int ThemeOverlay_MaterialComponents_BottomAppBar_Surface = 0x7f1001e9;
public static final int ThemeOverlay_MaterialComponents_BottomSheetDialog = 0x7f1001ea;
public static final int ThemeOverlay_MaterialComponents_Dark = 0x7f1001eb;
public static final int ThemeOverlay_MaterialComponents_Dark_ActionBar = 0x7f1001ec;
public static final int ThemeOverlay_MaterialComponents_DayNight_BottomSheetDialog = 0x7f1001ed;
public static final int ThemeOverlay_MaterialComponents_Dialog = 0x7f1001ee;
public static final int ThemeOverlay_MaterialComponents_Dialog_Alert = 0x7f1001ef;
public static final int ThemeOverlay_MaterialComponents_Light = 0x7f1001f0;
public static final int ThemeOverlay_MaterialComponents_Light_BottomSheetDialog = 0x7f1001f1;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog = 0x7f1001f2;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog_Centered = 0x7f1001f3;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog_Picker_Date = 0x7f1001f4;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog_Picker_Date_Calendar = 0x7f1001f5;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog_Picker_Date_Header_Text = 0x7f1001f6;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog_Picker_Date_Header_Text_Day = 0x7f1001f7;
public static final int ThemeOverlay_MaterialComponents_MaterialAlertDialog_Picker_Date_Spinner = 0x7f1001f8;
public static final int ThemeOverlay_MaterialComponents_MaterialCalendar = 0x7f1001f9;
public static final int ThemeOverlay_MaterialComponents_MaterialCalendar_Fullscreen = 0x7f1001fa;
public static final int ThemeOverlay_MaterialComponents_TextInputEditText = 0x7f1001fb;
public static final int ThemeOverlay_MaterialComponents_TextInputEditText_FilledBox = 0x7f1001fc;
public static final int ThemeOverlay_MaterialComponents_TextInputEditText_FilledBox_Dense = 0x7f1001fd;
public static final int ThemeOverlay_MaterialComponents_TextInputEditText_OutlinedBox = 0x7f1001fe;
public static final int ThemeOverlay_MaterialComponents_TextInputEditText_OutlinedBox_Dense = 0x7f1001ff;
public static final int ThemeOverlay_MaterialComponents_Toolbar_Primary = 0x7f100200;
public static final int ThemeOverlay_MaterialComponents_Toolbar_Surface = 0x7f100201;
public static final int Theme_AppCompat = 0x7f100181;
public static final int Theme_AppCompat_CompactMenu = 0x7f100182;
public static final int Theme_AppCompat_DayNight = 0x7f100183;
public static final int Theme_AppCompat_DayNight_DarkActionBar = 0x7f100184;
public static final int Theme_AppCompat_DayNight_Dialog = 0x7f100185;
public static final int Theme_AppCompat_DayNight_DialogWhenLarge = 0x7f100188;
public static final int Theme_AppCompat_DayNight_Dialog_Alert = 0x7f100186;
public static final int Theme_AppCompat_DayNight_Dialog_MinWidth = 0x7f100187;
public static final int Theme_AppCompat_DayNight_NoActionBar = 0x7f100189;
public static final int Theme_AppCompat_Dialog = 0x7f10018a;
public static final int Theme_AppCompat_DialogWhenLarge = 0x7f10018d;
public static final int Theme_AppCompat_Dialog_Alert = 0x7f10018b;
public static final int Theme_AppCompat_Dialog_MinWidth = 0x7f10018c;
public static final int Theme_AppCompat_Light = 0x7f10018e;
public static final int Theme_AppCompat_Light_DarkActionBar = 0x7f10018f;
public static final int Theme_AppCompat_Light_Dialog = 0x7f100190;
public static final int Theme_AppCompat_Light_DialogWhenLarge = 0x7f100193;
public static final int Theme_AppCompat_Light_Dialog_Alert = 0x7f100191;
public static final int Theme_AppCompat_Light_Dialog_MinWidth = 0x7f100192;
public static final int Theme_AppCompat_Light_NoActionBar = 0x7f100194;
public static final int Theme_AppCompat_NoActionBar = 0x7f100195;
public static final int Theme_Catalyst = 0x7f100196;
public static final int Theme_Catalyst_LogBox = 0x7f100197;
public static final int Theme_Catalyst_RedBox = 0x7f100198;
public static final int Theme_Design = 0x7f100199;
public static final int Theme_Design_BottomSheetDialog = 0x7f10019a;
public static final int Theme_Design_Light = 0x7f10019b;
public static final int Theme_Design_Light_BottomSheetDialog = 0x7f10019c;
public static final int Theme_Design_Light_NoActionBar = 0x7f10019d;
public static final int Theme_Design_NoActionBar = 0x7f10019e;
public static final int Theme_FullScreenDialog = 0x7f10019f;
public static final int Theme_FullScreenDialogAnimatedFade = 0x7f1001a0;
public static final int Theme_FullScreenDialogAnimatedSlide = 0x7f1001a1;
public static final int Theme_MaterialComponents = 0x7f1001a2;
public static final int Theme_MaterialComponents_BottomSheetDialog = 0x7f1001a3;
public static final int Theme_MaterialComponents_Bridge = 0x7f1001a4;
public static final int Theme_MaterialComponents_CompactMenu = 0x7f1001a5;
public static final int Theme_MaterialComponents_DayNight = 0x7f1001a6;
public static final int Theme_MaterialComponents_DayNight_BottomSheetDialog = 0x7f1001a7;
public static final int Theme_MaterialComponents_DayNight_Bridge = 0x7f1001a8;
public static final int Theme_MaterialComponents_DayNight_DarkActionBar = 0x7f1001a9;
public static final int Theme_MaterialComponents_DayNight_DarkActionBar_Bridge = 0x7f1001aa;
public static final int Theme_MaterialComponents_DayNight_Dialog = 0x7f1001ab;
public static final int Theme_MaterialComponents_DayNight_DialogWhenLarge = 0x7f1001b3;
public static final int Theme_MaterialComponents_DayNight_Dialog_Alert = 0x7f1001ac;
public static final int Theme_MaterialComponents_DayNight_Dialog_Alert_Bridge = 0x7f1001ad;
public static final int Theme_MaterialComponents_DayNight_Dialog_Bridge = 0x7f1001ae;
public static final int Theme_MaterialComponents_DayNight_Dialog_FixedSize = 0x7f1001af;
public static final int Theme_MaterialComponents_DayNight_Dialog_FixedSize_Bridge = 0x7f1001b0;
public static final int Theme_MaterialComponents_DayNight_Dialog_MinWidth = 0x7f1001b1;
public static final int Theme_MaterialComponents_DayNight_Dialog_MinWidth_Bridge = 0x7f1001b2;
public static final int Theme_MaterialComponents_DayNight_NoActionBar = 0x7f1001b4;
public static final int Theme_MaterialComponents_DayNight_NoActionBar_Bridge = 0x7f1001b5;
public static final int Theme_MaterialComponents_Dialog = 0x7f1001b6;
public static final int Theme_MaterialComponents_DialogWhenLarge = 0x7f1001be;
public static final int Theme_MaterialComponents_Dialog_Alert = 0x7f1001b7;
public static final int Theme_MaterialComponents_Dialog_Alert_Bridge = 0x7f1001b8;
public static final int Theme_MaterialComponents_Dialog_Bridge = 0x7f1001b9;
public static final int Theme_MaterialComponents_Dialog_FixedSize = 0x7f1001ba;
public static final int Theme_MaterialComponents_Dialog_FixedSize_Bridge = 0x7f1001bb;
public static final int Theme_MaterialComponents_Dialog_MinWidth = 0x7f1001bc;
public static final int Theme_MaterialComponents_Dialog_MinWidth_Bridge = 0x7f1001bd;
public static final int Theme_MaterialComponents_Light = 0x7f1001bf;
public static final int Theme_MaterialComponents_Light_BarSize = 0x7f1001c0;
public static final int Theme_MaterialComponents_Light_BottomSheetDialog = 0x7f1001c1;
public static final int Theme_MaterialComponents_Light_Bridge = 0x7f1001c2;
public static final int Theme_MaterialComponents_Light_DarkActionBar = 0x7f1001c3;
public static final int Theme_MaterialComponents_Light_DarkActionBar_Bridge = 0x7f1001c4;
public static final int Theme_MaterialComponents_Light_Dialog = 0x7f1001c5;
public static final int Theme_MaterialComponents_Light_DialogWhenLarge = 0x7f1001cd;
public static final int Theme_MaterialComponents_Light_Dialog_Alert = 0x7f1001c6;
public static final int Theme_MaterialComponents_Light_Dialog_Alert_Bridge = 0x7f1001c7;
public static final int Theme_MaterialComponents_Light_Dialog_Bridge = 0x7f1001c8;
public static final int Theme_MaterialComponents_Light_Dialog_FixedSize = 0x7f1001c9;
public static final int Theme_MaterialComponents_Light_Dialog_FixedSize_Bridge = 0x7f1001ca;
public static final int Theme_MaterialComponents_Light_Dialog_MinWidth = 0x7f1001cb;
public static final int Theme_MaterialComponents_Light_Dialog_MinWidth_Bridge = 0x7f1001cc;
public static final int Theme_MaterialComponents_Light_LargeTouch = 0x7f1001ce;
public static final int Theme_MaterialComponents_Light_NoActionBar = 0x7f1001cf;
public static final int Theme_MaterialComponents_Light_NoActionBar_Bridge = 0x7f1001d0;
public static final int Theme_MaterialComponents_NoActionBar = 0x7f1001d1;
public static final int Theme_MaterialComponents_NoActionBar_Bridge = 0x7f1001d2;
public static final int Theme_ReactNative_AppCompat_Light = 0x7f1001d3;
public static final int Theme_ReactNative_AppCompat_Light_NoActionBar_FullScreen = 0x7f1001d4;
public static final int Widget_AppCompat_ActionBar = 0x7f100202;
public static final int Widget_AppCompat_ActionBar_Solid = 0x7f100203;
public static final int Widget_AppCompat_ActionBar_TabBar = 0x7f100204;
public static final int Widget_AppCompat_ActionBar_TabText = 0x7f100205;
public static final int Widget_AppCompat_ActionBar_TabView = 0x7f100206;
public static final int Widget_AppCompat_ActionButton = 0x7f100207;
public static final int Widget_AppCompat_ActionButton_CloseMode = 0x7f100208;
public static final int Widget_AppCompat_ActionButton_Overflow = 0x7f100209;
public static final int Widget_AppCompat_ActionMode = 0x7f10020a;
public static final int Widget_AppCompat_ActivityChooserView = 0x7f10020b;
public static final int Widget_AppCompat_AutoCompleteTextView = 0x7f10020c;
public static final int Widget_AppCompat_Button = 0x7f10020d;
public static final int Widget_AppCompat_ButtonBar = 0x7f100213;
public static final int Widget_AppCompat_ButtonBar_AlertDialog = 0x7f100214;
public static final int Widget_AppCompat_Button_Borderless = 0x7f10020e;
public static final int Widget_AppCompat_Button_Borderless_Colored = 0x7f10020f;
public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog = 0x7f100210;
public static final int Widget_AppCompat_Button_Colored = 0x7f100211;
public static final int Widget_AppCompat_Button_Small = 0x7f100212;
public static final int Widget_AppCompat_CompoundButton_CheckBox = 0x7f100215;
public static final int Widget_AppCompat_CompoundButton_RadioButton = 0x7f100216;
public static final int Widget_AppCompat_CompoundButton_Switch = 0x7f100217;
public static final int Widget_AppCompat_DrawerArrowToggle = 0x7f100218;
public static final int Widget_AppCompat_DropDownItem_Spinner = 0x7f100219;
public static final int Widget_AppCompat_EditText = 0x7f10021a;
public static final int Widget_AppCompat_ImageButton = 0x7f10021b;
public static final int Widget_AppCompat_Light_ActionBar = 0x7f10021c;
public static final int Widget_AppCompat_Light_ActionBar_Solid = 0x7f10021d;
public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse = 0x7f10021e;
public static final int Widget_AppCompat_Light_ActionBar_TabBar = 0x7f10021f;
public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse = 0x7f100220;
public static final int Widget_AppCompat_Light_ActionBar_TabText = 0x7f100221;
public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse = 0x7f100222;
public static final int Widget_AppCompat_Light_ActionBar_TabView = 0x7f100223;
public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse = 0x7f100224;
public static final int Widget_AppCompat_Light_ActionButton = 0x7f100225;
public static final int Widget_AppCompat_Light_ActionButton_CloseMode = 0x7f100226;
public static final int Widget_AppCompat_Light_ActionButton_Overflow = 0x7f100227;
public static final int Widget_AppCompat_Light_ActionMode_Inverse = 0x7f100228;
public static final int Widget_AppCompat_Light_ActivityChooserView = 0x7f100229;
public static final int Widget_AppCompat_Light_AutoCompleteTextView = 0x7f10022a;
public static final int Widget_AppCompat_Light_DropDownItem_Spinner = 0x7f10022b;
public static final int Widget_AppCompat_Light_ListPopupWindow = 0x7f10022c;
public static final int Widget_AppCompat_Light_ListView_DropDown = 0x7f10022d;
public static final int Widget_AppCompat_Light_PopupMenu = 0x7f10022e;
public static final int Widget_AppCompat_Light_PopupMenu_Overflow = 0x7f10022f;
public static final int Widget_AppCompat_Light_SearchView = 0x7f100230;
public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar = 0x7f100231;
public static final int Widget_AppCompat_ListMenuView = 0x7f100232;
public static final int Widget_AppCompat_ListPopupWindow = 0x7f100233;
public static final int Widget_AppCompat_ListView = 0x7f100234;
public static final int Widget_AppCompat_ListView_DropDown = 0x7f100235;
public static final int Widget_AppCompat_ListView_Menu = 0x7f100236;
public static final int Widget_AppCompat_PopupMenu = 0x7f100237;
public static final int Widget_AppCompat_PopupMenu_Overflow = 0x7f100238;
public static final int Widget_AppCompat_PopupWindow = 0x7f100239;
public static final int Widget_AppCompat_ProgressBar = 0x7f10023a;
public static final int Widget_AppCompat_ProgressBar_Horizontal = 0x7f10023b;
public static final int Widget_AppCompat_RatingBar = 0x7f10023c;
public static final int Widget_AppCompat_RatingBar_Indicator = 0x7f10023d;
public static final int Widget_AppCompat_RatingBar_Small = 0x7f10023e;
public static final int Widget_AppCompat_SearchView = 0x7f10023f;
public static final int Widget_AppCompat_SearchView_ActionBar = 0x7f100240;
public static final int Widget_AppCompat_SeekBar = 0x7f100241;
public static final int Widget_AppCompat_SeekBar_Discrete = 0x7f100242;
public static final int Widget_AppCompat_Spinner = 0x7f100243;
public static final int Widget_AppCompat_Spinner_DropDown = 0x7f100244;
public static final int Widget_AppCompat_Spinner_DropDown_ActionBar = 0x7f100245;
public static final int Widget_AppCompat_Spinner_Underlined = 0x7f100246;
public static final int Widget_AppCompat_TextView = 0x7f100247;
public static final int Widget_AppCompat_TextView_SpinnerItem = 0x7f100248;
public static final int Widget_AppCompat_Toolbar = 0x7f100249;
public static final int Widget_AppCompat_Toolbar_Button_Navigation = 0x7f10024a;
public static final int Widget_Compat_NotificationActionContainer = 0x7f10024b;
public static final int Widget_Compat_NotificationActionText = 0x7f10024c;
public static final int Widget_Design_AppBarLayout = 0x7f10024d;
public static final int Widget_Design_BottomNavigationView = 0x7f10024e;
public static final int Widget_Design_BottomSheet_Modal = 0x7f10024f;
public static final int Widget_Design_CollapsingToolbar = 0x7f100250;
public static final int Widget_Design_FloatingActionButton = 0x7f100251;
public static final int Widget_Design_NavigationView = 0x7f100252;
public static final int Widget_Design_ScrimInsetsFrameLayout = 0x7f100253;
public static final int Widget_Design_Snackbar = 0x7f100254;
public static final int Widget_Design_TabLayout = 0x7f100255;
public static final int Widget_Design_TextInputLayout = 0x7f100256;
public static final int Widget_MaterialComponents_ActionBar_Primary = 0x7f100257;
public static final int Widget_MaterialComponents_ActionBar_PrimarySurface = 0x7f100258;
public static final int Widget_MaterialComponents_ActionBar_Solid = 0x7f100259;
public static final int Widget_MaterialComponents_ActionBar_Surface = 0x7f10025a;
public static final int Widget_MaterialComponents_AppBarLayout_Primary = 0x7f10025b;
public static final int Widget_MaterialComponents_AppBarLayout_PrimarySurface = 0x7f10025c;
public static final int Widget_MaterialComponents_AppBarLayout_Surface = 0x7f10025d;
public static final int Widget_MaterialComponents_AutoCompleteTextView_FilledBox = 0x7f10025e;
public static final int Widget_MaterialComponents_AutoCompleteTextView_FilledBox_Dense = 0x7f10025f;
public static final int Widget_MaterialComponents_AutoCompleteTextView_OutlinedBox = 0x7f100260;
public static final int Widget_MaterialComponents_AutoCompleteTextView_OutlinedBox_Dense = 0x7f100261;
public static final int Widget_MaterialComponents_Badge = 0x7f100262;
public static final int Widget_MaterialComponents_BottomAppBar = 0x7f100263;
public static final int Widget_MaterialComponents_BottomAppBar_Colored = 0x7f100264;
public static final int Widget_MaterialComponents_BottomAppBar_PrimarySurface = 0x7f100265;
public static final int Widget_MaterialComponents_BottomNavigationView = 0x7f100266;
public static final int Widget_MaterialComponents_BottomNavigationView_Colored = 0x7f100267;
public static final int Widget_MaterialComponents_BottomNavigationView_PrimarySurface = 0x7f100268;
public static final int Widget_MaterialComponents_BottomSheet = 0x7f100269;
public static final int Widget_MaterialComponents_BottomSheet_Modal = 0x7f10026a;
public static final int Widget_MaterialComponents_Button = 0x7f10026b;
public static final int Widget_MaterialComponents_Button_Icon = 0x7f10026c;
public static final int Widget_MaterialComponents_Button_OutlinedButton = 0x7f10026d;
public static final int Widget_MaterialComponents_Button_OutlinedButton_Icon = 0x7f10026e;
public static final int Widget_MaterialComponents_Button_TextButton = 0x7f10026f;
public static final int Widget_MaterialComponents_Button_TextButton_Dialog = 0x7f100270;
public static final int Widget_MaterialComponents_Button_TextButton_Dialog_Flush = 0x7f100271;
public static final int Widget_MaterialComponents_Button_TextButton_Dialog_Icon = 0x7f100272;
public static final int Widget_MaterialComponents_Button_TextButton_Icon = 0x7f100273;
public static final int Widget_MaterialComponents_Button_TextButton_Snackbar = 0x7f100274;
public static final int Widget_MaterialComponents_Button_UnelevatedButton = 0x7f100275;
public static final int Widget_MaterialComponents_Button_UnelevatedButton_Icon = 0x7f100276;
public static final int Widget_MaterialComponents_CardView = 0x7f100277;
public static final int Widget_MaterialComponents_CheckedTextView = 0x7f100278;
public static final int Widget_MaterialComponents_ChipGroup = 0x7f10027d;
public static final int Widget_MaterialComponents_Chip_Action = 0x7f100279;
public static final int Widget_MaterialComponents_Chip_Choice = 0x7f10027a;
public static final int Widget_MaterialComponents_Chip_Entry = 0x7f10027b;
public static final int Widget_MaterialComponents_Chip_Filter = 0x7f10027c;
public static final int Widget_MaterialComponents_CompoundButton_CheckBox = 0x7f10027e;
public static final int Widget_MaterialComponents_CompoundButton_RadioButton = 0x7f10027f;
public static final int Widget_MaterialComponents_CompoundButton_Switch = 0x7f100280;
public static final int Widget_MaterialComponents_ExtendedFloatingActionButton = 0x7f100281;
public static final int Widget_MaterialComponents_ExtendedFloatingActionButton_Icon = 0x7f100282;
public static final int Widget_MaterialComponents_FloatingActionButton = 0x7f100283;
public static final int Widget_MaterialComponents_Light_ActionBar_Solid = 0x7f100284;
public static final int Widget_MaterialComponents_MaterialButtonToggleGroup = 0x7f100285;
public static final int Widget_MaterialComponents_MaterialCalendar = 0x7f100286;
public static final int Widget_MaterialComponents_MaterialCalendar_Day = 0x7f100287;
public static final int Widget_MaterialComponents_MaterialCalendar_DayTextView = 0x7f10028b;
public static final int Widget_MaterialComponents_MaterialCalendar_Day_Invalid = 0x7f100288;
public static final int Widget_MaterialComponents_MaterialCalendar_Day_Selected = 0x7f100289;
public static final int Widget_MaterialComponents_MaterialCalendar_Day_Today = 0x7f10028a;
public static final int Widget_MaterialComponents_MaterialCalendar_Fullscreen = 0x7f10028c;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderConfirmButton = 0x7f10028d;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderDivider = 0x7f10028e;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderLayout = 0x7f10028f;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderSelection = 0x7f100290;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderSelection_Fullscreen = 0x7f100291;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderTitle = 0x7f100292;
public static final int Widget_MaterialComponents_MaterialCalendar_HeaderToggleButton = 0x7f100293;
public static final int Widget_MaterialComponents_MaterialCalendar_Item = 0x7f100294;
public static final int Widget_MaterialComponents_MaterialCalendar_Year = 0x7f100295;
public static final int Widget_MaterialComponents_MaterialCalendar_Year_Selected = 0x7f100296;
public static final int Widget_MaterialComponents_MaterialCalendar_Year_Today = 0x7f100297;
public static final int Widget_MaterialComponents_NavigationView = 0x7f100298;
public static final int Widget_MaterialComponents_PopupMenu = 0x7f100299;
public static final int Widget_MaterialComponents_PopupMenu_ContextMenu = 0x7f10029a;
public static final int Widget_MaterialComponents_PopupMenu_ListPopupWindow = 0x7f10029b;
public static final int Widget_MaterialComponents_PopupMenu_Overflow = 0x7f10029c;
public static final int Widget_MaterialComponents_Snackbar = 0x7f10029d;
public static final int Widget_MaterialComponents_Snackbar_FullWidth = 0x7f10029e;
public static final int Widget_MaterialComponents_TabLayout = 0x7f10029f;
public static final int Widget_MaterialComponents_TabLayout_Colored = 0x7f1002a0;
public static final int Widget_MaterialComponents_TabLayout_PrimarySurface = 0x7f1002a1;
public static final int Widget_MaterialComponents_TextInputEditText_FilledBox = 0x7f1002a2;
public static final int Widget_MaterialComponents_TextInputEditText_FilledBox_Dense = 0x7f1002a3;
public static final int Widget_MaterialComponents_TextInputEditText_OutlinedBox = 0x7f1002a4;
public static final int Widget_MaterialComponents_TextInputEditText_OutlinedBox_Dense = 0x7f1002a5;
public static final int Widget_MaterialComponents_TextInputLayout_FilledBox = 0x7f1002a6;
public static final int Widget_MaterialComponents_TextInputLayout_FilledBox_Dense = 0x7f1002a7;
public static final int Widget_MaterialComponents_TextInputLayout_FilledBox_Dense_ExposedDropdownMenu = 0x7f1002a8;
public static final int Widget_MaterialComponents_TextInputLayout_FilledBox_ExposedDropdownMenu = 0x7f1002a9;
public static final int Widget_MaterialComponents_TextInputLayout_OutlinedBox = 0x7f1002aa;
public static final int Widget_MaterialComponents_TextInputLayout_OutlinedBox_Dense = 0x7f1002ab;
public static final int Widget_MaterialComponents_TextInputLayout_OutlinedBox_Dense_ExposedDropdownMenu = 0x7f1002ac;
public static final int Widget_MaterialComponents_TextInputLayout_OutlinedBox_ExposedDropdownMenu = 0x7f1002ad;
public static final int Widget_MaterialComponents_TextView = 0x7f1002ae;
public static final int Widget_MaterialComponents_Toolbar = 0x7f1002af;
public static final int Widget_MaterialComponents_Toolbar_Primary = 0x7f1002b0;
public static final int Widget_MaterialComponents_Toolbar_PrimarySurface = 0x7f1002b1;
public static final int Widget_MaterialComponents_Toolbar_Surface = 0x7f1002b2;
public static final int Widget_Support_CoordinatorLayout = 0x7f1002b3;
public static final int redboxButton = 0x7f1002b4;
}
public static final class styleable {
private styleable() {}
public static final int[] ActionBar = { 0x7f030037, 0x7f03003f, 0x7f030040, 0x7f0300b6, 0x7f0300b7, 0x7f0300b8, 0x7f0300b9, 0x7f0300ba, 0x7f0300bb, 0x7f0300d5, 0x7f0300de, 0x7f0300df, 0x7f0300f2, 0x7f03012f, 0x7f030135, 0x7f03013b, 0x7f03013c, 0x7f03013e, 0x7f030148, 0x7f030155, 0x7f030187, 0x7f0301a7, 0x7f0301bd, 0x7f0301c5, 0x7f0301c6, 0x7f030213, 0x7f030216, 0x7f03025e, 0x7f030268 };
public static final int ActionBar_background = 0;
public static final int ActionBar_backgroundSplit = 1;
public static final int ActionBar_backgroundStacked = 2;
public static final int ActionBar_contentInsetEnd = 3;
public static final int ActionBar_contentInsetEndWithActions = 4;
public static final int ActionBar_contentInsetLeft = 5;
public static final int ActionBar_contentInsetRight = 6;
public static final int ActionBar_contentInsetStart = 7;
public static final int ActionBar_contentInsetStartWithNavigation = 8;
public static final int ActionBar_customNavigationLayout = 9;
public static final int ActionBar_displayOptions = 10;
public static final int ActionBar_divider = 11;
public static final int ActionBar_elevation = 12;
public static final int ActionBar_height = 13;
public static final int ActionBar_hideOnContentScroll = 14;
public static final int ActionBar_homeAsUpIndicator = 15;
public static final int ActionBar_homeLayout = 16;
public static final int ActionBar_icon = 17;
public static final int ActionBar_indeterminateProgressStyle = 18;
public static final int ActionBar_itemPadding = 19;
public static final int ActionBar_logo = 20;
public static final int ActionBar_navigationMode = 21;
public static final int ActionBar_popupTheme = 22;
public static final int ActionBar_progressBarPadding = 23;
public static final int ActionBar_progressBarStyle = 24;
public static final int ActionBar_subtitle = 25;
public static final int ActionBar_subtitleTextStyle = 26;
public static final int ActionBar_title = 27;
public static final int ActionBar_titleTextStyle = 28;
public static final int[] ActionBarLayout = { 0x10100b3 };
public static final int ActionBarLayout_android_layout_gravity = 0;
public static final int[] ActionMenuItemView = { 0x101013f };
public static final int ActionMenuItemView_android_minWidth = 0;
public static final int[] ActionMenuView = { };
public static final int[] ActionMode = { 0x7f030037, 0x7f03003f, 0x7f030099, 0x7f03012f, 0x7f030216, 0x7f030268 };
public static final int ActionMode_background = 0;
public static final int ActionMode_backgroundSplit = 1;
public static final int ActionMode_closeItemLayout = 2;
public static final int ActionMode_height = 3;
public static final int ActionMode_subtitleTextStyle = 4;
public static final int ActionMode_titleTextStyle = 5;
public static final int[] ActivityChooserView = { 0x7f030104, 0x7f030149 };
public static final int ActivityChooserView_expandActivityOverflowButtonDrawable = 0;
public static final int ActivityChooserView_initialActivityCount = 1;
public static final int[] AlertDialog = { 0x10100f2, 0x7f030068, 0x7f030069, 0x7f03017c, 0x7f03017d, 0x7f0301a4, 0x7f0301f3, 0x7f0301f5 };
public static final int AlertDialog_android_layout = 0;
public static final int AlertDialog_buttonIconDimen = 1;
public static final int AlertDialog_buttonPanelSideLayout = 2;
public static final int AlertDialog_listItemLayout = 3;
public static final int AlertDialog_listLayout = 4;
public static final int AlertDialog_multiChoiceItemLayout = 5;
public static final int AlertDialog_showTitle = 6;
public static final int AlertDialog_singleChoiceItemLayout = 7;
public static final int[] AnimatedStateListDrawableCompat = { 0x101011c, 0x1010194, 0x1010195, 0x1010196, 0x101030c, 0x101030d };
public static final int AnimatedStateListDrawableCompat_android_dither = 0;
public static final int AnimatedStateListDrawableCompat_android_visible = 1;
public static final int AnimatedStateListDrawableCompat_android_variablePadding = 2;
public static final int AnimatedStateListDrawableCompat_android_constantSize = 3;
public static final int AnimatedStateListDrawableCompat_android_enterFadeDuration = 4;
public static final int AnimatedStateListDrawableCompat_android_exitFadeDuration = 5;
public static final int[] AnimatedStateListDrawableItem = { 0x10100d0, 0x1010199 };
public static final int AnimatedStateListDrawableItem_android_id = 0;
public static final int AnimatedStateListDrawableItem_android_drawable = 1;
public static final int[] AnimatedStateListDrawableTransition = { 0x1010199, 0x1010449, 0x101044a, 0x101044b };
public static final int AnimatedStateListDrawableTransition_android_drawable = 0;
public static final int AnimatedStateListDrawableTransition_android_toId = 1;
public static final int AnimatedStateListDrawableTransition_android_fromId = 2;
public static final int AnimatedStateListDrawableTransition_android_reversible = 3;
public static final int[] AppBarLayout = { 0x10100d4, 0x101048f, 0x1010540, 0x7f0300f2, 0x7f030105, 0x7f030174, 0x7f030175, 0x7f03020d };
public static final int AppBarLayout_android_background = 0;
public static final int AppBarLayout_android_touchscreenBlocksFocus = 1;
public static final int AppBarLayout_android_keyboardNavigationCluster = 2;
public static final int AppBarLayout_elevation = 3;
public static final int AppBarLayout_expanded = 4;
public static final int AppBarLayout_liftOnScroll = 5;
public static final int AppBarLayout_liftOnScrollTargetViewId = 6;
public static final int AppBarLayout_statusBarForeground = 7;
public static final int[] AppBarLayoutStates = { 0x7f030207, 0x7f030208, 0x7f03020a, 0x7f03020b };
public static final int AppBarLayoutStates_state_collapsed = 0;
public static final int AppBarLayoutStates_state_collapsible = 1;
public static final int AppBarLayoutStates_state_liftable = 2;
public static final int AppBarLayoutStates_state_lifted = 3;
public static final int[] AppBarLayout_Layout = { 0x7f030172, 0x7f030173 };
public static final int AppBarLayout_Layout_layout_scrollFlags = 0;
public static final int AppBarLayout_Layout_layout_scrollInterpolator = 1;
public static final int[] AppCompatImageView = { 0x1010119, 0x7f0301ff, 0x7f03025c, 0x7f03025d };
public static final int AppCompatImageView_android_src = 0;
public static final int AppCompatImageView_srcCompat = 1;
public static final int AppCompatImageView_tint = 2;
public static final int AppCompatImageView_tintMode = 3;
public static final int[] AppCompatSeekBar = { 0x1010142, 0x7f030259, 0x7f03025a, 0x7f03025b };
public static final int AppCompatSeekBar_android_thumb = 0;
public static final int AppCompatSeekBar_tickMark = 1;
public static final int AppCompatSeekBar_tickMarkTint = 2;
public static final int AppCompatSeekBar_tickMarkTintMode = 3;
public static final int[] AppCompatTextHelper = { 0x1010034, 0x101016d, 0x101016e, 0x101016f, 0x1010170, 0x1010392, 0x1010393 };
public static final int AppCompatTextHelper_android_textAppearance = 0;
public static final int AppCompatTextHelper_android_drawableTop = 1;
public static final int AppCompatTextHelper_android_drawableBottom = 2;
public static final int AppCompatTextHelper_android_drawableLeft = 3;
public static final int AppCompatTextHelper_android_drawableRight = 4;
public static final int AppCompatTextHelper_android_drawableStart = 5;
public static final int AppCompatTextHelper_android_drawableEnd = 6;
public static final int[] AppCompatTextView = { 0x1010034, 0x7f030032, 0x7f030033, 0x7f030034, 0x7f030035, 0x7f030036, 0x7f0300e3, 0x7f0300e4, 0x7f0300e5, 0x7f0300e6, 0x7f0300e8, 0x7f0300e9, 0x7f0300ea, 0x7f0300eb, 0x7f03011e, 0x7f030121, 0x7f030129, 0x7f030167, 0x7f030176, 0x7f030236, 0x7f030251 };
public static final int AppCompatTextView_android_textAppearance = 0;
public static final int AppCompatTextView_autoSizeMaxTextSize = 1;
public static final int AppCompatTextView_autoSizeMinTextSize = 2;
public static final int AppCompatTextView_autoSizePresetSizes = 3;
public static final int AppCompatTextView_autoSizeStepGranularity = 4;
public static final int AppCompatTextView_autoSizeTextType = 5;
public static final int AppCompatTextView_drawableBottomCompat = 6;
public static final int AppCompatTextView_drawableEndCompat = 7;
public static final int AppCompatTextView_drawableLeftCompat = 8;
public static final int AppCompatTextView_drawableRightCompat = 9;
public static final int AppCompatTextView_drawableStartCompat = 10;
public static final int AppCompatTextView_drawableTint = 11;
public static final int AppCompatTextView_drawableTintMode = 12;
public static final int AppCompatTextView_drawableTopCompat = 13;
public static final int AppCompatTextView_firstBaselineToTopHeight = 14;
public static final int AppCompatTextView_fontFamily = 15;
public static final int AppCompatTextView_fontVariationSettings = 16;
public static final int AppCompatTextView_lastBaselineToBottomHeight = 17;
public static final int AppCompatTextView_lineHeight = 18;
public static final int AppCompatTextView_textAllCaps = 19;
public static final int AppCompatTextView_textLocale = 20;
public static final int[] AppCompatTheme = { 0x1010057, 0x10100ae, 0x7f030000, 0x7f030001, 0x7f030002, 0x7f030003, 0x7f030004, 0x7f030005, 0x7f030006, 0x7f030007, 0x7f030008, 0x7f030009, 0x7f03000a, 0x7f03000b, 0x7f03000c, 0x7f03000e, 0x7f03000f, 0x7f030010, 0x7f030011, 0x7f030012, 0x7f030013, 0x7f030014, 0x7f030015, 0x7f030016, 0x7f030017, 0x7f030018, 0x7f030019, 0x7f03001a, 0x7f03001b, 0x7f03001c, 0x7f03001d, 0x7f03001e, 0x7f030022, 0x7f030026, 0x7f030027, 0x7f030028, 0x7f030029, 0x7f030031, 0x7f030052, 0x7f030061, 0x7f030062, 0x7f030063, 0x7f030064, 0x7f030065, 0x7f03006a, 0x7f03006b, 0x7f030076, 0x7f03007d, 0x7f03009f, 0x7f0300a0, 0x7f0300a1, 0x7f0300a2, 0x7f0300a3, 0x7f0300a4, 0x7f0300a5, 0x7f0300ac, 0x7f0300ad, 0x7f0300b3, 0x7f0300c2, 0x7f0300db, 0x7f0300dc, 0x7f0300dd, 0x7f0300e0, 0x7f0300e2, 0x7f0300ed, 0x7f0300ee, 0x7f0300ef, 0x7f0300f0, 0x7f0300f1, 0x7f03013b, 0x7f030147, 0x7f030178, 0x7f030179, 0x7f03017a, 0x7f03017b, 0x7f03017e, 0x7f03017f, 0x7f030180, 0x7f030181, 0x7f030182, 0x7f030183, 0x7f030184, 0x7f030185, 0x7f030186, 0x7f0301b1, 0x7f0301b2, 0x7f0301b3, 0x7f0301bc, 0x7f0301be, 0x7f0301c9, 0x7f0301cb, 0x7f0301cc, 0x7f0301cd, 0x7f0301e6, 0x7f0301e7, 0x7f0301e8, 0x7f0301e9, 0x7f0301fc, 0x7f0301fd, 0x7f03021a, 0x7f030241, 0x7f030243, 0x7f030244, 0x7f030245, 0x7f030247, 0x7f030248, 0x7f030249, 0x7f03024a, 0x7f03024d, 0x7f03024e, 0x7f03026a, 0x7f03026b, 0x7f03026c, 0x7f03026d, 0x7f030276, 0x7f030278, 0x7f030279, 0x7f03027a, 0x7f03027b, 0x7f03027c, 0x7f03027d, 0x7f03027e, 0x7f03027f, 0x7f030280, 0x7f030281 };
public static final int AppCompatTheme_android_windowIsFloating = 0;
public static final int AppCompatTheme_android_windowAnimationStyle = 1;
public static final int AppCompatTheme_actionBarDivider = 2;
public static final int AppCompatTheme_actionBarItemBackground = 3;
public static final int AppCompatTheme_actionBarPopupTheme = 4;
public static final int AppCompatTheme_actionBarSize = 5;
public static final int AppCompatTheme_actionBarSplitStyle = 6;
public static final int AppCompatTheme_actionBarStyle = 7;
public static final int AppCompatTheme_actionBarTabBarStyle = 8;
public static final int AppCompatTheme_actionBarTabStyle = 9;
public static final int AppCompatTheme_actionBarTabTextStyle = 10;
public static final int AppCompatTheme_actionBarTheme = 11;
public static final int AppCompatTheme_actionBarWidgetTheme = 12;
public static final int AppCompatTheme_actionButtonStyle = 13;
public static final int AppCompatTheme_actionDropDownStyle = 14;
public static final int AppCompatTheme_actionMenuTextAppearance = 15;
public static final int AppCompatTheme_actionMenuTextColor = 16;
public static final int AppCompatTheme_actionModeBackground = 17;
public static final int AppCompatTheme_actionModeCloseButtonStyle = 18;
public static final int AppCompatTheme_actionModeCloseDrawable = 19;
public static final int AppCompatTheme_actionModeCopyDrawable = 20;
public static final int AppCompatTheme_actionModeCutDrawable = 21;
public static final int AppCompatTheme_actionModeFindDrawable = 22;
public static final int AppCompatTheme_actionModePasteDrawable = 23;
public static final int AppCompatTheme_actionModePopupWindowStyle = 24;
public static final int AppCompatTheme_actionModeSelectAllDrawable = 25;
public static final int AppCompatTheme_actionModeShareDrawable = 26;
public static final int AppCompatTheme_actionModeSplitBackground = 27;
public static final int AppCompatTheme_actionModeStyle = 28;
public static final int AppCompatTheme_actionModeWebSearchDrawable = 29;
public static final int AppCompatTheme_actionOverflowButtonStyle = 30;
public static final int AppCompatTheme_actionOverflowMenuStyle = 31;
public static final int AppCompatTheme_activityChooserViewStyle = 32;
public static final int AppCompatTheme_alertDialogButtonGroupStyle = 33;
public static final int AppCompatTheme_alertDialogCenterButtons = 34;
public static final int AppCompatTheme_alertDialogStyle = 35;
public static final int AppCompatTheme_alertDialogTheme = 36;
public static final int AppCompatTheme_autoCompleteTextViewStyle = 37;
public static final int AppCompatTheme_borderlessButtonStyle = 38;
public static final int AppCompatTheme_buttonBarButtonStyle = 39;
public static final int AppCompatTheme_buttonBarNegativeButtonStyle = 40;
public static final int AppCompatTheme_buttonBarNeutralButtonStyle = 41;
public static final int AppCompatTheme_buttonBarPositiveButtonStyle = 42;
public static final int AppCompatTheme_buttonBarStyle = 43;
public static final int AppCompatTheme_buttonStyle = 44;
public static final int AppCompatTheme_buttonStyleSmall = 45;
public static final int AppCompatTheme_checkboxStyle = 46;
public static final int AppCompatTheme_checkedTextViewStyle = 47;
public static final int AppCompatTheme_colorAccent = 48;
public static final int AppCompatTheme_colorBackgroundFloating = 49;
public static final int AppCompatTheme_colorButtonNormal = 50;
public static final int AppCompatTheme_colorControlActivated = 51;
public static final int AppCompatTheme_colorControlHighlight = 52;
public static final int AppCompatTheme_colorControlNormal = 53;
public static final int AppCompatTheme_colorError = 54;
public static final int AppCompatTheme_colorPrimary = 55;
public static final int AppCompatTheme_colorPrimaryDark = 56;
public static final int AppCompatTheme_colorSwitchThumbNormal = 57;
public static final int AppCompatTheme_controlBackground = 58;
public static final int AppCompatTheme_dialogCornerRadius = 59;
public static final int AppCompatTheme_dialogPreferredPadding = 60;
public static final int AppCompatTheme_dialogTheme = 61;
public static final int AppCompatTheme_dividerHorizontal = 62;
public static final int AppCompatTheme_dividerVertical = 63;
public static final int AppCompatTheme_dropDownListViewStyle = 64;
public static final int AppCompatTheme_dropdownListPreferredItemHeight = 65;
public static final int AppCompatTheme_editTextBackground = 66;
public static final int AppCompatTheme_editTextColor = 67;
public static final int AppCompatTheme_editTextStyle = 68;
public static final int AppCompatTheme_homeAsUpIndicator = 69;
public static final int AppCompatTheme_imageButtonStyle = 70;
public static final int AppCompatTheme_listChoiceBackgroundIndicator = 71;
public static final int AppCompatTheme_listChoiceIndicatorMultipleAnimated = 72;
public static final int AppCompatTheme_listChoiceIndicatorSingleAnimated = 73;
public static final int AppCompatTheme_listDividerAlertDialog = 74;
public static final int AppCompatTheme_listMenuViewStyle = 75;
public static final int AppCompatTheme_listPopupWindowStyle = 76;
public static final int AppCompatTheme_listPreferredItemHeight = 77;
public static final int AppCompatTheme_listPreferredItemHeightLarge = 78;
public static final int AppCompatTheme_listPreferredItemHeightSmall = 79;
public static final int AppCompatTheme_listPreferredItemPaddingEnd = 80;
public static final int AppCompatTheme_listPreferredItemPaddingLeft = 81;
public static final int AppCompatTheme_listPreferredItemPaddingRight = 82;
public static final int AppCompatTheme_listPreferredItemPaddingStart = 83;
public static final int AppCompatTheme_panelBackground = 84;
public static final int AppCompatTheme_panelMenuListTheme = 85;
public static final int AppCompatTheme_panelMenuListWidth = 86;
public static final int AppCompatTheme_popupMenuStyle = 87;
public static final int AppCompatTheme_popupWindowStyle = 88;
public static final int AppCompatTheme_radioButtonStyle = 89;
public static final int AppCompatTheme_ratingBarStyle = 90;
public static final int AppCompatTheme_ratingBarStyleIndicator = 91;
public static final int AppCompatTheme_ratingBarStyleSmall = 92;
public static final int AppCompatTheme_searchViewStyle = 93;
public static final int AppCompatTheme_seekBarStyle = 94;
public static final int AppCompatTheme_selectableItemBackground = 95;
public static final int AppCompatTheme_selectableItemBackgroundBorderless = 96;
public static final int AppCompatTheme_spinnerDropDownItemStyle = 97;
public static final int AppCompatTheme_spinnerStyle = 98;
public static final int AppCompatTheme_switchStyle = 99;
public static final int AppCompatTheme_textAppearanceLargePopupMenu = 100;
public static final int AppCompatTheme_textAppearanceListItem = 101;
public static final int AppCompatTheme_textAppearanceListItemSecondary = 102;
public static final int AppCompatTheme_textAppearanceListItemSmall = 103;
public static final int AppCompatTheme_textAppearancePopupMenuHeader = 104;
public static final int AppCompatTheme_textAppearanceSearchResultSubtitle = 105;
public static final int AppCompatTheme_textAppearanceSearchResultTitle = 106;
public static final int AppCompatTheme_textAppearanceSmallPopupMenu = 107;
public static final int AppCompatTheme_textColorAlertDialogListItem = 108;
public static final int AppCompatTheme_textColorSearchUrl = 109;
public static final int AppCompatTheme_toolbarNavigationButtonStyle = 110;
public static final int AppCompatTheme_toolbarStyle = 111;
public static final int AppCompatTheme_tooltipForegroundColor = 112;
public static final int AppCompatTheme_tooltipFrameBackground = 113;
public static final int AppCompatTheme_viewInflaterClass = 114;
public static final int AppCompatTheme_windowActionBar = 115;
public static final int AppCompatTheme_windowActionBarOverlay = 116;
public static final int AppCompatTheme_windowActionModeOverlay = 117;
public static final int AppCompatTheme_windowFixedHeightMajor = 118;
public static final int AppCompatTheme_windowFixedHeightMinor = 119;
public static final int AppCompatTheme_windowFixedWidthMajor = 120;
public static final int AppCompatTheme_windowFixedWidthMinor = 121;
public static final int AppCompatTheme_windowMinWidthMajor = 122;
public static final int AppCompatTheme_windowMinWidthMinor = 123;
public static final int AppCompatTheme_windowNoTitle = 124;
public static final int[] Badge = { 0x7f030038, 0x7f030043, 0x7f030045, 0x7f03019f, 0x7f0301a9 };
public static final int Badge_backgroundColor = 0;
public static final int Badge_badgeGravity = 1;
public static final int Badge_badgeTextColor = 2;
public static final int Badge_maxCharacterCount = 3;
public static final int Badge_number = 4;
public static final int[] BottomAppBar = { 0x7f030041, 0x7f0300f2, 0x7f03010f, 0x7f030110, 0x7f030111, 0x7f030112, 0x7f030113, 0x7f030136 };
public static final int BottomAppBar_backgroundTint = 0;
public static final int BottomAppBar_elevation = 1;
public static final int BottomAppBar_fabAlignmentMode = 2;
public static final int BottomAppBar_fabAnimationMode = 3;
public static final int BottomAppBar_fabCradleMargin = 4;
public static final int BottomAppBar_fabCradleRoundedCornerRadius = 5;
public static final int BottomAppBar_fabCradleVerticalOffset = 6;
public static final int BottomAppBar_hideOnScroll = 7;
public static final int[] BottomNavigationView = { 0x7f030041, 0x7f0300f2, 0x7f03014d, 0x7f030150, 0x7f030152, 0x7f030153, 0x7f030156, 0x7f030162, 0x7f030163, 0x7f030164, 0x7f030166, 0x7f0301a2 };
public static final int BottomNavigationView_backgroundTint = 0;
public static final int BottomNavigationView_elevation = 1;
public static final int BottomNavigationView_itemBackground = 2;
public static final int BottomNavigationView_itemHorizontalTranslationEnabled = 3;
public static final int BottomNavigationView_itemIconSize = 4;
public static final int BottomNavigationView_itemIconTint = 5;
public static final int BottomNavigationView_itemRippleColor = 6;
public static final int BottomNavigationView_itemTextAppearanceActive = 7;
public static final int BottomNavigationView_itemTextAppearanceInactive = 8;
public static final int BottomNavigationView_itemTextColor = 9;
public static final int BottomNavigationView_labelVisibilityMode = 10;
public static final int BottomNavigationView_menu = 11;
public static final int[] BottomSheetBehavior_Layout = { 0x1010440, 0x7f030041, 0x7f030049, 0x7f03004a, 0x7f03004b, 0x7f03004c, 0x7f03004e, 0x7f03004f, 0x7f030050, 0x7f0301ea, 0x7f0301ed };
public static final int BottomSheetBehavior_Layout_android_elevation = 0;
public static final int BottomSheetBehavior_Layout_backgroundTint = 1;
public static final int BottomSheetBehavior_Layout_behavior_expandedOffset = 2;
public static final int BottomSheetBehavior_Layout_behavior_fitToContents = 3;
public static final int BottomSheetBehavior_Layout_behavior_halfExpandedRatio = 4;
public static final int BottomSheetBehavior_Layout_behavior_hideable = 5;
public static final int BottomSheetBehavior_Layout_behavior_peekHeight = 6;
public static final int BottomSheetBehavior_Layout_behavior_saveFlags = 7;
public static final int BottomSheetBehavior_Layout_behavior_skipCollapsed = 8;
public static final int BottomSheetBehavior_Layout_shapeAppearance = 9;
public static final int BottomSheetBehavior_Layout_shapeAppearanceOverlay = 10;
public static final int[] ButtonBarLayout = { 0x7f03002a };
public static final int ButtonBarLayout_allowStacking = 0;
public static final int[] CardView = { 0x101013f, 0x1010140, 0x7f03006e, 0x7f03006f, 0x7f030070, 0x7f030072, 0x7f030073, 0x7f030074, 0x7f0300bc, 0x7f0300bd, 0x7f0300be, 0x7f0300bf, 0x7f0300c0 };
public static final int CardView_android_minWidth = 0;
public static final int CardView_android_minHeight = 1;
public static final int CardView_cardBackgroundColor = 2;
public static final int CardView_cardCornerRadius = 3;
public static final int CardView_cardElevation = 4;
public static final int CardView_cardMaxElevation = 5;
public static final int CardView_cardPreventCornerOverlap = 6;
public static final int CardView_cardUseCompatPadding = 7;
public static final int CardView_contentPadding = 8;
public static final int CardView_contentPaddingBottom = 9;
public static final int CardView_contentPaddingLeft = 10;
public static final int CardView_contentPaddingRight = 11;
public static final int CardView_contentPaddingTop = 12;
public static final int[] Chip = { 0x1010034, 0x1010098, 0x10100ab, 0x101011f, 0x101014f, 0x10101e5, 0x7f030079, 0x7f03007a, 0x7f03007c, 0x7f03007e, 0x7f03007f, 0x7f030080, 0x7f030082, 0x7f030083, 0x7f030084, 0x7f030085, 0x7f030086, 0x7f030087, 0x7f030088, 0x7f03008d, 0x7f03008e, 0x7f03008f, 0x7f030091, 0x7f030092, 0x7f030093, 0x7f030094, 0x7f030095, 0x7f030096, 0x7f030097, 0x7f030098, 0x7f0300fd, 0x7f030134, 0x7f03013f, 0x7f030143, 0x7f0301d2, 0x7f0301ea, 0x7f0301ed, 0x7f0301f1, 0x7f03024f, 0x7f030252 };
public static final int Chip_android_textAppearance = 0;
public static final int Chip_android_textColor = 1;
public static final int Chip_android_ellipsize = 2;
public static final int Chip_android_maxWidth = 3;
public static final int Chip_android_text = 4;
public static final int Chip_android_checkable = 5;
public static final int Chip_checkedIcon = 6;
public static final int Chip_checkedIconEnabled = 7;
public static final int Chip_checkedIconVisible = 8;
public static final int Chip_chipBackgroundColor = 9;
public static final int Chip_chipCornerRadius = 10;
public static final int Chip_chipEndPadding = 11;
public static final int Chip_chipIcon = 12;
public static final int Chip_chipIconEnabled = 13;
public static final int Chip_chipIconSize = 14;
public static final int Chip_chipIconTint = 15;
public static final int Chip_chipIconVisible = 16;
public static final int Chip_chipMinHeight = 17;
public static final int Chip_chipMinTouchTargetSize = 18;
public static final int Chip_chipStartPadding = 19;
public static final int Chip_chipStrokeColor = 20;
public static final int Chip_chipStrokeWidth = 21;
public static final int Chip_chipSurfaceColor = 22;
public static final int Chip_closeIcon = 23;
public static final int Chip_closeIconEnabled = 24;
public static final int Chip_closeIconEndPadding = 25;
public static final int Chip_closeIconSize = 26;
public static final int Chip_closeIconStartPadding = 27;
public static final int Chip_closeIconTint = 28;
public static final int Chip_closeIconVisible = 29;
public static final int Chip_ensureMinTouchTargetSize = 30;
public static final int Chip_hideMotionSpec = 31;
public static final int Chip_iconEndPadding = 32;
public static final int Chip_iconStartPadding = 33;
public static final int Chip_rippleColor = 34;
public static final int Chip_shapeAppearance = 35;
public static final int Chip_shapeAppearanceOverlay = 36;
public static final int Chip_showMotionSpec = 37;
public static final int Chip_textEndPadding = 38;
public static final int Chip_textStartPadding = 39;
public static final int[] ChipGroup = { 0x7f030078, 0x7f030089, 0x7f03008a, 0x7f03008b, 0x7f0301f6, 0x7f0301f7 };
public static final int ChipGroup_checkedChip = 0;
public static final int ChipGroup_chipSpacing = 1;
public static final int ChipGroup_chipSpacingHorizontal = 2;
public static final int ChipGroup_chipSpacingVertical = 3;
public static final int ChipGroup_singleLine = 4;
public static final int ChipGroup_singleSelection = 5;
public static final int[] CollapsingToolbarLayout = { 0x7f03009c, 0x7f03009d, 0x7f0300c1, 0x7f030106, 0x7f030107, 0x7f030108, 0x7f030109, 0x7f03010a, 0x7f03010b, 0x7f03010c, 0x7f0301e1, 0x7f0301e3, 0x7f03020e, 0x7f03025e, 0x7f03025f, 0x7f030269 };
public static final int CollapsingToolbarLayout_collapsedTitleGravity = 0;
public static final int CollapsingToolbarLayout_collapsedTitleTextAppearance = 1;
public static final int CollapsingToolbarLayout_contentScrim = 2;
public static final int CollapsingToolbarLayout_expandedTitleGravity = 3;
public static final int CollapsingToolbarLayout_expandedTitleMargin = 4;
public static final int CollapsingToolbarLayout_expandedTitleMarginBottom = 5;
public static final int CollapsingToolbarLayout_expandedTitleMarginEnd = 6;
public static final int CollapsingToolbarLayout_expandedTitleMarginStart = 7;
public static final int CollapsingToolbarLayout_expandedTitleMarginTop = 8;
public static final int CollapsingToolbarLayout_expandedTitleTextAppearance = 9;
public static final int CollapsingToolbarLayout_scrimAnimationDuration = 10;
public static final int CollapsingToolbarLayout_scrimVisibleHeightTrigger = 11;
public static final int CollapsingToolbarLayout_statusBarScrim = 12;
public static final int CollapsingToolbarLayout_title = 13;
public static final int CollapsingToolbarLayout_titleEnabled = 14;
public static final int CollapsingToolbarLayout_toolbarId = 15;
public static final int[] CollapsingToolbarLayout_Layout = { 0x7f03016d, 0x7f03016e };
public static final int CollapsingToolbarLayout_Layout_layout_collapseMode = 0;
public static final int CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier = 1;
public static final int[] ColorStateListItem = { 0x10101a5, 0x101031f, 0x7f03002b };
public static final int ColorStateListItem_android_color = 0;
public static final int ColorStateListItem_android_alpha = 1;
public static final int ColorStateListItem_alpha = 2;
public static final int[] CompoundButton = { 0x1010107, 0x7f030066, 0x7f03006c, 0x7f03006d };
public static final int CompoundButton_android_button = 0;
public static final int CompoundButton_buttonCompat = 1;
public static final int CompoundButton_buttonTint = 2;
public static final int CompoundButton_buttonTintMode = 3;
public static final int[] CoordinatorLayout = { 0x7f030165, 0x7f03020c };
public static final int CoordinatorLayout_keylines = 0;
public static final int CoordinatorLayout_statusBarBackground = 1;
public static final int[] CoordinatorLayout_Layout = { 0x10100b3, 0x7f03016a, 0x7f03016b, 0x7f03016c, 0x7f03016f, 0x7f030170, 0x7f030171 };
public static final int CoordinatorLayout_Layout_android_layout_gravity = 0;
public static final int CoordinatorLayout_Layout_layout_anchor = 1;
public static final int CoordinatorLayout_Layout_layout_anchorGravity = 2;
public static final int CoordinatorLayout_Layout_layout_behavior = 3;
public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges = 4;
public static final int CoordinatorLayout_Layout_layout_insetEdge = 5;
public static final int CoordinatorLayout_Layout_layout_keyline = 6;
public static final int[] DrawerArrowToggle = { 0x7f03002f, 0x7f030030, 0x7f030046, 0x7f03009e, 0x7f0300e7, 0x7f03012c, 0x7f0301fb, 0x7f030255 };
public static final int DrawerArrowToggle_arrowHeadLength = 0;
public static final int DrawerArrowToggle_arrowShaftLength = 1;
public static final int DrawerArrowToggle_barLength = 2;
public static final int DrawerArrowToggle_color = 3;
public static final int DrawerArrowToggle_drawableSize = 4;
public static final int DrawerArrowToggle_gapBetweenBars = 5;
public static final int DrawerArrowToggle_spinBars = 6;
public static final int DrawerArrowToggle_thickness = 7;
public static final int[] ExtendedFloatingActionButton = { 0x7f0300f2, 0x7f03010d, 0x7f030134, 0x7f0301f1, 0x7f0301f4 };
public static final int ExtendedFloatingActionButton_elevation = 0;
public static final int ExtendedFloatingActionButton_extendMotionSpec = 1;
public static final int ExtendedFloatingActionButton_hideMotionSpec = 2;
public static final int ExtendedFloatingActionButton_showMotionSpec = 3;
public static final int ExtendedFloatingActionButton_shrinkMotionSpec = 4;
public static final int[] ExtendedFloatingActionButton_Behavior_Layout = { 0x7f030047, 0x7f030048 };
public static final int ExtendedFloatingActionButton_Behavior_Layout_behavior_autoHide = 0;
public static final int ExtendedFloatingActionButton_Behavior_Layout_behavior_autoShrink = 1;
public static final int[] FloatingActionButton = { 0x7f030041, 0x7f030042, 0x7f030051, 0x7f0300f2, 0x7f0300fd, 0x7f030114, 0x7f030115, 0x7f030134, 0x7f03013d, 0x7f0301a0, 0x7f0301c1, 0x7f0301d2, 0x7f0301ea, 0x7f0301ed, 0x7f0301f1, 0x7f030273 };
public static final int FloatingActionButton_backgroundTint = 0;
public static final int FloatingActionButton_backgroundTintMode = 1;
public static final int FloatingActionButton_borderWidth = 2;
public static final int FloatingActionButton_elevation = 3;
public static final int FloatingActionButton_ensureMinTouchTargetSize = 4;
public static final int FloatingActionButton_fabCustomSize = 5;
public static final int FloatingActionButton_fabSize = 6;
public static final int FloatingActionButton_hideMotionSpec = 7;
public static final int FloatingActionButton_hoveredFocusedTranslationZ = 8;
public static final int FloatingActionButton_maxImageSize = 9;
public static final int FloatingActionButton_pressedTranslationZ = 10;
public static final int FloatingActionButton_rippleColor = 11;
public static final int FloatingActionButton_shapeAppearance = 12;
public static final int FloatingActionButton_shapeAppearanceOverlay = 13;
public static final int FloatingActionButton_showMotionSpec = 14;
public static final int FloatingActionButton_useCompatPadding = 15;
public static final int[] FloatingActionButton_Behavior_Layout = { 0x7f030047 };
public static final int FloatingActionButton_Behavior_Layout_behavior_autoHide = 0;
public static final int[] FlowLayout = { 0x7f03015e, 0x7f030177 };
public static final int FlowLayout_itemSpacing = 0;
public static final int FlowLayout_lineSpacing = 1;
public static final int[] FontFamily = { 0x7f030122, 0x7f030123, 0x7f030124, 0x7f030125, 0x7f030126, 0x7f030127 };
public static final int FontFamily_fontProviderAuthority = 0;
public static final int FontFamily_fontProviderCerts = 1;
public static final int FontFamily_fontProviderFetchStrategy = 2;
public static final int FontFamily_fontProviderFetchTimeout = 3;
public static final int FontFamily_fontProviderPackage = 4;
public static final int FontFamily_fontProviderQuery = 5;
public static final int[] FontFamilyFont = { 0x1010532, 0x1010533, 0x101053f, 0x101056f, 0x1010570, 0x7f030120, 0x7f030128, 0x7f030129, 0x7f03012a, 0x7f030272 };
public static final int FontFamilyFont_android_font = 0;
public static final int FontFamilyFont_android_fontWeight = 1;
public static final int FontFamilyFont_android_fontStyle = 2;
public static final int FontFamilyFont_android_ttcIndex = 3;
public static final int FontFamilyFont_android_fontVariationSettings = 4;
public static final int FontFamilyFont_font = 5;
public static final int FontFamilyFont_fontStyle = 6;
public static final int FontFamilyFont_fontVariationSettings = 7;
public static final int FontFamilyFont_fontWeight = 8;
public static final int FontFamilyFont_ttcIndex = 9;
public static final int[] ForegroundLinearLayout = { 0x1010109, 0x1010200, 0x7f03012b };
public static final int ForegroundLinearLayout_android_foreground = 0;
public static final int ForegroundLinearLayout_android_foregroundGravity = 1;
public static final int ForegroundLinearLayout_foregroundInsidePadding = 2;
public static final int[] Fragment = { 0x1010003, 0x10100d0, 0x10100d1 };
public static final int Fragment_android_name = 0;
public static final int Fragment_android_id = 1;
public static final int Fragment_android_tag = 2;
public static final int[] FragmentContainerView = { 0x1010003, 0x10100d1 };
public static final int FragmentContainerView_android_name = 0;
public static final int FragmentContainerView_android_tag = 1;
public static final int[] GenericDraweeHierarchy = { 0x7f030024, 0x7f030039, 0x7f030116, 0x7f030117, 0x7f030118, 0x7f0301ac, 0x7f0301b9, 0x7f0301ba, 0x7f0301c0, 0x7f0301c2, 0x7f0301c3, 0x7f0301c4, 0x7f0301cf, 0x7f0301d0, 0x7f0301d3, 0x7f0301d4, 0x7f0301d5, 0x7f0301d6, 0x7f0301d7, 0x7f0301d8, 0x7f0301d9, 0x7f0301da, 0x7f0301db, 0x7f0301dc, 0x7f0301dd, 0x7f0301de, 0x7f0301df, 0x7f0301e0, 0x7f030275 };
public static final int GenericDraweeHierarchy_actualImageScaleType = 0;
public static final int GenericDraweeHierarchy_backgroundImage = 1;
public static final int GenericDraweeHierarchy_fadeDuration = 2;
public static final int GenericDraweeHierarchy_failureImage = 3;
public static final int GenericDraweeHierarchy_failureImageScaleType = 4;
public static final int GenericDraweeHierarchy_overlayImage = 5;
public static final int GenericDraweeHierarchy_placeholderImage = 6;
public static final int GenericDraweeHierarchy_placeholderImageScaleType = 7;
public static final int GenericDraweeHierarchy_pressedStateOverlayImage = 8;
public static final int GenericDraweeHierarchy_progressBarAutoRotateInterval = 9;
public static final int GenericDraweeHierarchy_progressBarImage = 10;
public static final int GenericDraweeHierarchy_progressBarImageScaleType = 11;
public static final int GenericDraweeHierarchy_retryImage = 12;
public static final int GenericDraweeHierarchy_retryImageScaleType = 13;
public static final int GenericDraweeHierarchy_roundAsCircle = 14;
public static final int GenericDraweeHierarchy_roundBottomEnd = 15;
public static final int GenericDraweeHierarchy_roundBottomLeft = 16;
public static final int GenericDraweeHierarchy_roundBottomRight = 17;
public static final int GenericDraweeHierarchy_roundBottomStart = 18;
public static final int GenericDraweeHierarchy_roundTopEnd = 19;
public static final int GenericDraweeHierarchy_roundTopLeft = 20;
public static final int GenericDraweeHierarchy_roundTopRight = 21;
public static final int GenericDraweeHierarchy_roundTopStart = 22;
public static final int GenericDraweeHierarchy_roundWithOverlayColor = 23;
public static final int GenericDraweeHierarchy_roundedCornerRadius = 24;
public static final int GenericDraweeHierarchy_roundingBorderColor = 25;
public static final int GenericDraweeHierarchy_roundingBorderPadding = 26;
public static final int GenericDraweeHierarchy_roundingBorderWidth = 27;
public static final int GenericDraweeHierarchy_viewAspectRatio = 28;
public static final int[] GradientColor = { 0x101019d, 0x101019e, 0x10101a1, 0x10101a2, 0x10101a3, 0x10101a4, 0x1010201, 0x101020b, 0x1010510, 0x1010511, 0x1010512, 0x1010513 };
public static final int GradientColor_android_startColor = 0;
public static final int GradientColor_android_endColor = 1;
public static final int GradientColor_android_type = 2;
public static final int GradientColor_android_centerX = 3;
public static final int GradientColor_android_centerY = 4;
public static final int GradientColor_android_gradientRadius = 5;
public static final int GradientColor_android_tileMode = 6;
public static final int GradientColor_android_centerColor = 7;
public static final int GradientColor_android_startX = 8;
public static final int GradientColor_android_startY = 9;
public static final int GradientColor_android_endX = 10;
public static final int GradientColor_android_endY = 11;
public static final int[] GradientColorItem = { 0x10101a5, 0x1010514 };
public static final int GradientColorItem_android_color = 0;
public static final int GradientColorItem_android_offset = 1;
public static final int[] LinearLayoutCompat = { 0x10100af, 0x10100c4, 0x1010126, 0x1010127, 0x1010128, 0x7f0300df, 0x7f0300e1, 0x7f0301a1, 0x7f0301f0 };
public static final int LinearLayoutCompat_android_gravity = 0;
public static final int LinearLayoutCompat_android_orientation = 1;
public static final int LinearLayoutCompat_android_baselineAligned = 2;
public static final int LinearLayoutCompat_android_baselineAlignedChildIndex = 3;
public static final int LinearLayoutCompat_android_weightSum = 4;
public static final int LinearLayoutCompat_divider = 5;
public static final int LinearLayoutCompat_dividerPadding = 6;
public static final int LinearLayoutCompat_measureWithLargestChild = 7;
public static final int LinearLayoutCompat_showDividers = 8;
public static final int[] LinearLayoutCompat_Layout = { 0x10100b3, 0x10100f4, 0x10100f5, 0x1010181 };
public static final int LinearLayoutCompat_Layout_android_layout_gravity = 0;
public static final int LinearLayoutCompat_Layout_android_layout_width = 1;
public static final int LinearLayoutCompat_Layout_android_layout_height = 2;
public static final int LinearLayoutCompat_Layout_android_layout_weight = 3;
public static final int[] ListPopupWindow = { 0x10102ac, 0x10102ad };
public static final int ListPopupWindow_android_dropDownHorizontalOffset = 0;
public static final int ListPopupWindow_android_dropDownVerticalOffset = 1;
public static final int[] MaterialAlertDialog = { 0x7f03003a, 0x7f03003b, 0x7f03003c, 0x7f03003d };
public static final int MaterialAlertDialog_backgroundInsetBottom = 0;
public static final int MaterialAlertDialog_backgroundInsetEnd = 1;
public static final int MaterialAlertDialog_backgroundInsetStart = 2;
public static final int MaterialAlertDialog_backgroundInsetTop = 3;
public static final int[] MaterialAlertDialogTheme = { 0x7f030189, 0x7f03018a, 0x7f03018b, 0x7f03018c, 0x7f03018d };
public static final int MaterialAlertDialogTheme_materialAlertDialogBodyTextStyle = 0;
public static final int MaterialAlertDialogTheme_materialAlertDialogTheme = 1;
public static final int MaterialAlertDialogTheme_materialAlertDialogTitleIconStyle = 2;
public static final int MaterialAlertDialogTheme_materialAlertDialogTitlePanelStyle = 3;
public static final int MaterialAlertDialogTheme_materialAlertDialogTitleTextStyle = 4;
public static final int[] MaterialButton = { 0x10101b7, 0x10101b8, 0x10101b9, 0x10101ba, 0x10101e5, 0x7f030041, 0x7f030042, 0x7f0300c9, 0x7f0300f2, 0x7f03013e, 0x7f030140, 0x7f030141, 0x7f030142, 0x7f030144, 0x7f030145, 0x7f0301d2, 0x7f0301ea, 0x7f0301ed, 0x7f03020f, 0x7f030210 };
public static final int MaterialButton_android_insetLeft = 0;
public static final int MaterialButton_android_insetRight = 1;
public static final int MaterialButton_android_insetTop = 2;
public static final int MaterialButton_android_insetBottom = 3;
public static final int MaterialButton_android_checkable = 4;
public static final int MaterialButton_backgroundTint = 5;
public static final int MaterialButton_backgroundTintMode = 6;
public static final int MaterialButton_cornerRadius = 7;
public static final int MaterialButton_elevation = 8;
public static final int MaterialButton_icon = 9;
public static final int MaterialButton_iconGravity = 10;
public static final int MaterialButton_iconPadding = 11;
public static final int MaterialButton_iconSize = 12;
public static final int MaterialButton_iconTint = 13;
public static final int MaterialButton_iconTintMode = 14;
public static final int MaterialButton_rippleColor = 15;
public static final int MaterialButton_shapeAppearance = 16;
public static final int MaterialButton_shapeAppearanceOverlay = 17;
public static final int MaterialButton_strokeColor = 18;
public static final int MaterialButton_strokeWidth = 19;
public static final int[] MaterialButtonToggleGroup = { 0x7f030077, 0x7f0301f7 };
public static final int MaterialButtonToggleGroup_checkedButton = 0;
public static final int MaterialButtonToggleGroup_singleSelection = 1;
public static final int[] MaterialCalendar = { 0x101020d, 0x7f0300d6, 0x7f0300d7, 0x7f0300d8, 0x7f0300d9, 0x7f0301ca, 0x7f030282, 0x7f030283, 0x7f030284 };
public static final int MaterialCalendar_android_windowFullscreen = 0;
public static final int MaterialCalendar_dayInvalidStyle = 1;
public static final int MaterialCalendar_daySelectedStyle = 2;
public static final int MaterialCalendar_dayStyle = 3;
public static final int MaterialCalendar_dayTodayStyle = 4;
public static final int MaterialCalendar_rangeFillColor = 5;
public static final int MaterialCalendar_yearSelectedStyle = 6;
public static final int MaterialCalendar_yearStyle = 7;
public static final int MaterialCalendar_yearTodayStyle = 8;
public static final int[] MaterialCalendarItem = { 0x10101b7, 0x10101b8, 0x10101b9, 0x10101ba, 0x7f03014e, 0x7f030157, 0x7f030158, 0x7f03015f, 0x7f030160, 0x7f030164 };
public static final int MaterialCalendarItem_android_insetLeft = 0;
public static final int MaterialCalendarItem_android_insetRight = 1;
public static final int MaterialCalendarItem_android_insetTop = 2;
public static final int MaterialCalendarItem_android_insetBottom = 3;
public static final int MaterialCalendarItem_itemFillColor = 4;
public static final int MaterialCalendarItem_itemShapeAppearance = 5;
public static final int MaterialCalendarItem_itemShapeAppearanceOverlay = 6;
public static final int MaterialCalendarItem_itemStrokeColor = 7;
public static final int MaterialCalendarItem_itemStrokeWidth = 8;
public static final int MaterialCalendarItem_itemTextColor = 9;
public static final int[] MaterialCardView = { 0x10101e5, 0x7f030071, 0x7f030079, 0x7f03007b, 0x7f0301d2, 0x7f0301ea, 0x7f0301ed, 0x7f030209, 0x7f03020f, 0x7f030210 };
public static final int MaterialCardView_android_checkable = 0;
public static final int MaterialCardView_cardForegroundColor = 1;
public static final int MaterialCardView_checkedIcon = 2;
public static final int MaterialCardView_checkedIconTint = 3;
public static final int MaterialCardView_rippleColor = 4;
public static final int MaterialCardView_shapeAppearance = 5;
public static final int MaterialCardView_shapeAppearanceOverlay = 6;
public static final int MaterialCardView_state_dragged = 7;
public static final int MaterialCardView_strokeColor = 8;
public static final int MaterialCardView_strokeWidth = 9;
public static final int[] MaterialCheckBox = { 0x7f03006c, 0x7f030274 };
public static final int MaterialCheckBox_buttonTint = 0;
public static final int MaterialCheckBox_useMaterialThemeColors = 1;
public static final int[] MaterialRadioButton = { 0x7f030274 };
public static final int MaterialRadioButton_useMaterialThemeColors = 0;
public static final int[] MaterialShape = { 0x7f0301ea, 0x7f0301ed };
public static final int MaterialShape_shapeAppearance = 0;
public static final int MaterialShape_shapeAppearanceOverlay = 1;
public static final int[] MaterialTextAppearance = { 0x101057f, 0x7f030176 };
public static final int MaterialTextAppearance_android_lineHeight = 0;
public static final int MaterialTextAppearance_lineHeight = 1;
public static final int[] MaterialTextView = { 0x1010034, 0x101057f, 0x7f030176 };
public static final int MaterialTextView_android_textAppearance = 0;
public static final int MaterialTextView_android_lineHeight = 1;
public static final int MaterialTextView_lineHeight = 2;
public static final int[] MenuGroup = { 0x101000e, 0x10100d0, 0x1010194, 0x10101de, 0x10101df, 0x10101e0 };
public static final int MenuGroup_android_enabled = 0;
public static final int MenuGroup_android_id = 1;
public static final int MenuGroup_android_visible = 2;
public static final int MenuGroup_android_menuCategory = 3;
public static final int MenuGroup_android_orderInCategory = 4;
public static final int MenuGroup_android_checkableBehavior = 5;
public static final int[] MenuItem = { 0x1010002, 0x101000e, 0x10100d0, 0x1010106, 0x1010194, 0x10101de, 0x10101df, 0x10101e1, 0x10101e2, 0x10101e3, 0x10101e4, 0x10101e5, 0x101026f, 0x7f03000d, 0x7f03001f, 0x7f030021, 0x7f03002c, 0x7f0300b5, 0x7f030144, 0x7f030145, 0x7f0301aa, 0x7f0301ef, 0x7f03026e };
public static final int MenuItem_android_icon = 0;
public static final int MenuItem_android_enabled = 1;
public static final int MenuItem_android_id = 2;
public static final int MenuItem_android_checked = 3;
public static final int MenuItem_android_visible = 4;
public static final int MenuItem_android_menuCategory = 5;
public static final int MenuItem_android_orderInCategory = 6;
public static final int MenuItem_android_title = 7;
public static final int MenuItem_android_titleCondensed = 8;
public static final int MenuItem_android_alphabeticShortcut = 9;
public static final int MenuItem_android_numericShortcut = 10;
public static final int MenuItem_android_checkable = 11;
public static final int MenuItem_android_onClick = 12;
public static final int MenuItem_actionLayout = 13;
public static final int MenuItem_actionProviderClass = 14;
public static final int MenuItem_actionViewClass = 15;
public static final int MenuItem_alphabeticModifiers = 16;
public static final int MenuItem_contentDescription = 17;
public static final int MenuItem_iconTint = 18;
public static final int MenuItem_iconTintMode = 19;
public static final int MenuItem_numericModifiers = 20;
public static final int MenuItem_showAsAction = 21;
public static final int MenuItem_tooltipText = 22;
public static final int[] MenuView = { 0x10100ae, 0x101012c, 0x101012d, 0x101012e, 0x101012f, 0x1010130, 0x1010131, 0x7f0301bf, 0x7f030211 };
public static final int MenuView_android_windowAnimationStyle = 0;
public static final int MenuView_android_itemTextAppearance = 1;
public static final int MenuView_android_horizontalDivider = 2;
public static final int MenuView_android_verticalDivider = 3;
public static final int MenuView_android_headerBackground = 4;
public static final int MenuView_android_itemBackground = 5;
public static final int MenuView_android_itemIconDisabledAlpha = 6;
public static final int MenuView_preserveIconSpacing = 7;
public static final int MenuView_subMenuArrow = 8;
public static final int[] NavigationView = { 0x10100d4, 0x10100dd, 0x101011f, 0x7f0300f2, 0x7f03012e, 0x7f03014d, 0x7f03014f, 0x7f030151, 0x7f030152, 0x7f030153, 0x7f030154, 0x7f030157, 0x7f030158, 0x7f030159, 0x7f03015a, 0x7f03015b, 0x7f03015c, 0x7f03015d, 0x7f030161, 0x7f030164, 0x7f0301a2 };
public static final int NavigationView_android_background = 0;
public static final int NavigationView_android_fitsSystemWindows = 1;
public static final int NavigationView_android_maxWidth = 2;
public static final int NavigationView_elevation = 3;
public static final int NavigationView_headerLayout = 4;
public static final int NavigationView_itemBackground = 5;
public static final int NavigationView_itemHorizontalPadding = 6;
public static final int NavigationView_itemIconPadding = 7;
public static final int NavigationView_itemIconSize = 8;
public static final int NavigationView_itemIconTint = 9;
public static final int NavigationView_itemMaxLines = 10;
public static final int NavigationView_itemShapeAppearance = 11;
public static final int NavigationView_itemShapeAppearanceOverlay = 12;
public static final int NavigationView_itemShapeFillColor = 13;
public static final int NavigationView_itemShapeInsetBottom = 14;
public static final int NavigationView_itemShapeInsetEnd = 15;
public static final int NavigationView_itemShapeInsetStart = 16;
public static final int NavigationView_itemShapeInsetTop = 17;
public static final int NavigationView_itemTextAppearance = 18;
public static final int NavigationView_itemTextColor = 19;
public static final int NavigationView_menu = 20;
public static final int[] PopupWindow = { 0x1010176, 0x10102c9, 0x7f0301ab };
public static final int PopupWindow_android_popupBackground = 0;
public static final int PopupWindow_android_popupAnimationStyle = 1;
public static final int PopupWindow_overlapAnchor = 2;
public static final int[] PopupWindowBackgroundState = { 0x7f030206 };
public static final int PopupWindowBackgroundState_state_above_anchor = 0;
public static final int[] RecycleListView = { 0x7f0301ad, 0x7f0301b0 };
public static final int RecycleListView_paddingBottomNoButtons = 0;
public static final int RecycleListView_paddingTopNoTitle = 1;
public static final int[] RecyclerView = { 0x10100c4, 0x10100eb, 0x10100f1, 0x7f030119, 0x7f03011a, 0x7f03011b, 0x7f03011c, 0x7f03011d, 0x7f030169, 0x7f0301d1, 0x7f0301fa, 0x7f030200 };
public static final int RecyclerView_android_orientation = 0;
public static final int RecyclerView_android_clipToPadding = 1;
public static final int RecyclerView_android_descendantFocusability = 2;
public static final int RecyclerView_fastScrollEnabled = 3;
public static final int RecyclerView_fastScrollHorizontalThumbDrawable = 4;
public static final int RecyclerView_fastScrollHorizontalTrackDrawable = 5;
public static final int RecyclerView_fastScrollVerticalThumbDrawable = 6;
public static final int RecyclerView_fastScrollVerticalTrackDrawable = 7;
public static final int RecyclerView_layoutManager = 8;
public static final int RecyclerView_reverseLayout = 9;
public static final int RecyclerView_spanCount = 10;
public static final int RecyclerView_stackFromEnd = 11;
public static final int[] ScrimInsetsFrameLayout = { 0x7f03014a };
public static final int ScrimInsetsFrameLayout_insetForeground = 0;
public static final int[] ScrollingViewBehavior_Layout = { 0x7f03004d };
public static final int ScrollingViewBehavior_Layout_behavior_overlapTop = 0;
public static final int[] SearchView = { 0x10100da, 0x101011f, 0x1010220, 0x1010264, 0x7f030092, 0x7f0300b4, 0x7f0300da, 0x7f03012d, 0x7f030146, 0x7f030168, 0x7f0301c7, 0x7f0301c8, 0x7f0301e4, 0x7f0301e5, 0x7f030212, 0x7f030217, 0x7f030277 };
public static final int SearchView_android_focusable = 0;
public static final int SearchView_android_maxWidth = 1;
public static final int SearchView_android_inputType = 2;
public static final int SearchView_android_imeOptions = 3;
public static final int SearchView_closeIcon = 4;
public static final int SearchView_commitIcon = 5;
public static final int SearchView_defaultQueryHint = 6;
public static final int SearchView_goIcon = 7;
public static final int SearchView_iconifiedByDefault = 8;
public static final int SearchView_layout = 9;
public static final int SearchView_queryBackground = 10;
public static final int SearchView_queryHint = 11;
public static final int SearchView_searchHintIcon = 12;
public static final int SearchView_searchIcon = 13;
public static final int SearchView_submitBackground = 14;
public static final int SearchView_suggestionRowLayout = 15;
public static final int SearchView_voiceIcon = 16;
public static final int[] ShapeAppearance = { 0x7f0300c4, 0x7f0300c5, 0x7f0300c6, 0x7f0300c7, 0x7f0300c8, 0x7f0300ca, 0x7f0300cb, 0x7f0300cc, 0x7f0300cd, 0x7f0300ce };
public static final int ShapeAppearance_cornerFamily = 0;
public static final int ShapeAppearance_cornerFamilyBottomLeft = 1;
public static final int ShapeAppearance_cornerFamilyBottomRight = 2;
public static final int ShapeAppearance_cornerFamilyTopLeft = 3;
public static final int ShapeAppearance_cornerFamilyTopRight = 4;
public static final int ShapeAppearance_cornerSize = 5;
public static final int ShapeAppearance_cornerSizeBottomLeft = 6;
public static final int ShapeAppearance_cornerSizeBottomRight = 7;
public static final int ShapeAppearance_cornerSizeTopLeft = 8;
public static final int ShapeAppearance_cornerSizeTopRight = 9;
public static final int[] SimpleDraweeView = { 0x7f030023, 0x7f030024, 0x7f030025, 0x7f030039, 0x7f030116, 0x7f030117, 0x7f030118, 0x7f0301ac, 0x7f0301b9, 0x7f0301ba, 0x7f0301c0, 0x7f0301c2, 0x7f0301c3, 0x7f0301c4, 0x7f0301cf, 0x7f0301d0, 0x7f0301d3, 0x7f0301d4, 0x7f0301d5, 0x7f0301d6, 0x7f0301d7, 0x7f0301d8, 0x7f0301d9, 0x7f0301da, 0x7f0301db, 0x7f0301dc, 0x7f0301dd, 0x7f0301de, 0x7f0301df, 0x7f0301e0, 0x7f030275 };
public static final int SimpleDraweeView_actualImageResource = 0;
public static final int SimpleDraweeView_actualImageScaleType = 1;
public static final int SimpleDraweeView_actualImageUri = 2;
public static final int SimpleDraweeView_backgroundImage = 3;
public static final int SimpleDraweeView_fadeDuration = 4;
public static final int SimpleDraweeView_failureImage = 5;
public static final int SimpleDraweeView_failureImageScaleType = 6;
public static final int SimpleDraweeView_overlayImage = 7;
public static final int SimpleDraweeView_placeholderImage = 8;
public static final int SimpleDraweeView_placeholderImageScaleType = 9;
public static final int SimpleDraweeView_pressedStateOverlayImage = 10;
public static final int SimpleDraweeView_progressBarAutoRotateInterval = 11;
public static final int SimpleDraweeView_progressBarImage = 12;
public static final int SimpleDraweeView_progressBarImageScaleType = 13;
public static final int SimpleDraweeView_retryImage = 14;
public static final int SimpleDraweeView_retryImageScaleType = 15;
public static final int SimpleDraweeView_roundAsCircle = 16;
public static final int SimpleDraweeView_roundBottomEnd = 17;
public static final int SimpleDraweeView_roundBottomLeft = 18;
public static final int SimpleDraweeView_roundBottomRight = 19;
public static final int SimpleDraweeView_roundBottomStart = 20;
public static final int SimpleDraweeView_roundTopEnd = 21;
public static final int SimpleDraweeView_roundTopLeft = 22;
public static final int SimpleDraweeView_roundTopRight = 23;
public static final int SimpleDraweeView_roundTopStart = 24;
public static final int SimpleDraweeView_roundWithOverlayColor = 25;
public static final int SimpleDraweeView_roundedCornerRadius = 26;
public static final int SimpleDraweeView_roundingBorderColor = 27;
public static final int SimpleDraweeView_roundingBorderPadding = 28;
public static final int SimpleDraweeView_roundingBorderWidth = 29;
public static final int SimpleDraweeView_viewAspectRatio = 30;
public static final int[] Snackbar = { 0x7f0301f8, 0x7f0301f9 };
public static final int Snackbar_snackbarButtonStyle = 0;
public static final int Snackbar_snackbarStyle = 1;
public static final int[] SnackbarLayout = { 0x101011f, 0x7f030020, 0x7f03002d, 0x7f03003e, 0x7f0300f2, 0x7f03019d };
public static final int SnackbarLayout_android_maxWidth = 0;
public static final int SnackbarLayout_actionTextColorAlpha = 1;
public static final int SnackbarLayout_animationMode = 2;
public static final int SnackbarLayout_backgroundOverlayColorAlpha = 3;
public static final int SnackbarLayout_elevation = 4;
public static final int SnackbarLayout_maxActionInlineWidth = 5;
public static final int[] Spinner = { 0x10100b2, 0x1010176, 0x101017b, 0x1010262, 0x7f0301bd };
public static final int Spinner_android_entries = 0;
public static final int Spinner_android_popupBackground = 1;
public static final int Spinner_android_prompt = 2;
public static final int Spinner_android_dropDownWidth = 3;
public static final int Spinner_popupTheme = 4;
public static final int[] StateListDrawable = { 0x101011c, 0x1010194, 0x1010195, 0x1010196, 0x101030c, 0x101030d };
public static final int StateListDrawable_android_dither = 0;
public static final int StateListDrawable_android_visible = 1;
public static final int StateListDrawable_android_variablePadding = 2;
public static final int StateListDrawable_android_constantSize = 3;
public static final int StateListDrawable_android_enterFadeDuration = 4;
public static final int StateListDrawable_android_exitFadeDuration = 5;
public static final int[] StateListDrawableItem = { 0x1010199 };
public static final int StateListDrawableItem_android_drawable = 0;
public static final int[] SwitchCompat = { 0x1010124, 0x1010125, 0x1010142, 0x7f0301f2, 0x7f0301fe, 0x7f030218, 0x7f030219, 0x7f03021b, 0x7f030256, 0x7f030257, 0x7f030258, 0x7f03026f, 0x7f030270, 0x7f030271 };
public static final int SwitchCompat_android_textOn = 0;
public static final int SwitchCompat_android_textOff = 1;
public static final int SwitchCompat_android_thumb = 2;
public static final int SwitchCompat_showText = 3;
public static final int SwitchCompat_splitTrack = 4;
public static final int SwitchCompat_switchMinWidth = 5;
public static final int SwitchCompat_switchPadding = 6;
public static final int SwitchCompat_switchTextAppearance = 7;
public static final int SwitchCompat_thumbTextPadding = 8;
public static final int SwitchCompat_thumbTint = 9;
public static final int SwitchCompat_thumbTintMode = 10;
public static final int SwitchCompat_track = 11;
public static final int SwitchCompat_trackTint = 12;
public static final int SwitchCompat_trackTintMode = 13;
public static final int[] SwitchMaterial = { 0x7f030274 };
public static final int SwitchMaterial_useMaterialThemeColors = 0;
public static final int[] TabItem = { 0x1010002, 0x10100f2, 0x101014f };
public static final int TabItem_android_icon = 0;
public static final int TabItem_android_layout = 1;
public static final int TabItem_android_text = 2;
public static final int[] TabLayout = { 0x7f03021c, 0x7f03021d, 0x7f03021e, 0x7f03021f, 0x7f030220, 0x7f030221, 0x7f030222, 0x7f030223, 0x7f030224, 0x7f030225, 0x7f030226, 0x7f030227, 0x7f030228, 0x7f030229, 0x7f03022a, 0x7f03022b, 0x7f03022c, 0x7f03022d, 0x7f03022e, 0x7f03022f, 0x7f030230, 0x7f030231, 0x7f030233, 0x7f030234, 0x7f030235 };
public static final int TabLayout_tabBackground = 0;
public static final int TabLayout_tabContentStart = 1;
public static final int TabLayout_tabGravity = 2;
public static final int TabLayout_tabIconTint = 3;
public static final int TabLayout_tabIconTintMode = 4;
public static final int TabLayout_tabIndicator = 5;
public static final int TabLayout_tabIndicatorAnimationDuration = 6;
public static final int TabLayout_tabIndicatorColor = 7;
public static final int TabLayout_tabIndicatorFullWidth = 8;
public static final int TabLayout_tabIndicatorGravity = 9;
public static final int TabLayout_tabIndicatorHeight = 10;
public static final int TabLayout_tabInlineLabel = 11;
public static final int TabLayout_tabMaxWidth = 12;
public static final int TabLayout_tabMinWidth = 13;
public static final int TabLayout_tabMode = 14;
public static final int TabLayout_tabPadding = 15;
public static final int TabLayout_tabPaddingBottom = 16;
public static final int TabLayout_tabPaddingEnd = 17;
public static final int TabLayout_tabPaddingStart = 18;
public static final int TabLayout_tabPaddingTop = 19;
public static final int TabLayout_tabRippleColor = 20;
public static final int TabLayout_tabSelectedTextColor = 21;
public static final int TabLayout_tabTextAppearance = 22;
public static final int TabLayout_tabTextColor = 23;
public static final int TabLayout_tabUnboundedRipple = 24;
public static final int[] TextAppearance = { 0x1010095, 0x1010096, 0x1010097, 0x1010098, 0x101009a, 0x101009b, 0x1010161, 0x1010162, 0x1010163, 0x1010164, 0x10103ac, 0x1010585, 0x7f030121, 0x7f030129, 0x7f030236, 0x7f030251 };
public static final int TextAppearance_android_textSize = 0;
public static final int TextAppearance_android_typeface = 1;
public static final int TextAppearance_android_textStyle = 2;
public static final int TextAppearance_android_textColor = 3;
public static final int TextAppearance_android_textColorHint = 4;
public static final int TextAppearance_android_textColorLink = 5;
public static final int TextAppearance_android_shadowColor = 6;
public static final int TextAppearance_android_shadowDx = 7;
public static final int TextAppearance_android_shadowDy = 8;
public static final int TextAppearance_android_shadowRadius = 9;
public static final int TextAppearance_android_fontFamily = 10;
public static final int TextAppearance_android_textFontWeight = 11;
public static final int TextAppearance_fontFamily = 12;
public static final int TextAppearance_fontVariationSettings = 13;
public static final int TextAppearance_textAllCaps = 14;
public static final int TextAppearance_textLocale = 15;
public static final int[] TextInputLayout = { 0x101009a, 0x1010150, 0x7f030057, 0x7f030058, 0x7f030059, 0x7f03005a, 0x7f03005b, 0x7f03005c, 0x7f03005d, 0x7f03005e, 0x7f03005f, 0x7f030060, 0x7f0300cf, 0x7f0300d0, 0x7f0300d1, 0x7f0300d2, 0x7f0300d3, 0x7f0300d4, 0x7f0300f5, 0x7f0300f6, 0x7f0300f7, 0x7f0300f8, 0x7f0300f9, 0x7f0300fa, 0x7f0300fe, 0x7f0300ff, 0x7f030100, 0x7f030101, 0x7f030102, 0x7f030103, 0x7f030130, 0x7f030131, 0x7f030132, 0x7f030133, 0x7f030137, 0x7f030138, 0x7f030139, 0x7f03013a, 0x7f0301b4, 0x7f0301b5, 0x7f0301b6, 0x7f0301b7, 0x7f0301b8, 0x7f0301ea, 0x7f0301ed, 0x7f030201, 0x7f030202, 0x7f030203, 0x7f030204, 0x7f030205 };
public static final int TextInputLayout_android_textColorHint = 0;
public static final int TextInputLayout_android_hint = 1;
public static final int TextInputLayout_boxBackgroundColor = 2;
public static final int TextInputLayout_boxBackgroundMode = 3;
public static final int TextInputLayout_boxCollapsedPaddingTop = 4;
public static final int TextInputLayout_boxCornerRadiusBottomEnd = 5;
public static final int TextInputLayout_boxCornerRadiusBottomStart = 6;
public static final int TextInputLayout_boxCornerRadiusTopEnd = 7;
public static final int TextInputLayout_boxCornerRadiusTopStart = 8;
public static final int TextInputLayout_boxStrokeColor = 9;
public static final int TextInputLayout_boxStrokeWidth = 10;
public static final int TextInputLayout_boxStrokeWidthFocused = 11;
public static final int TextInputLayout_counterEnabled = 12;
public static final int TextInputLayout_counterMaxLength = 13;
public static final int TextInputLayout_counterOverflowTextAppearance = 14;
public static final int TextInputLayout_counterOverflowTextColor = 15;
public static final int TextInputLayout_counterTextAppearance = 16;
public static final int TextInputLayout_counterTextColor = 17;
public static final int TextInputLayout_endIconCheckable = 18;
public static final int TextInputLayout_endIconContentDescription = 19;
public static final int TextInputLayout_endIconDrawable = 20;
public static final int TextInputLayout_endIconMode = 21;
public static final int TextInputLayout_endIconTint = 22;
public static final int TextInputLayout_endIconTintMode = 23;
public static final int TextInputLayout_errorEnabled = 24;
public static final int TextInputLayout_errorIconDrawable = 25;
public static final int TextInputLayout_errorIconTint = 26;
public static final int TextInputLayout_errorIconTintMode = 27;
public static final int TextInputLayout_errorTextAppearance = 28;
public static final int TextInputLayout_errorTextColor = 29;
public static final int TextInputLayout_helperText = 30;
public static final int TextInputLayout_helperTextEnabled = 31;
public static final int TextInputLayout_helperTextTextAppearance = 32;
public static final int TextInputLayout_helperTextTextColor = 33;
public static final int TextInputLayout_hintAnimationEnabled = 34;
public static final int TextInputLayout_hintEnabled = 35;
public static final int TextInputLayout_hintTextAppearance = 36;
public static final int TextInputLayout_hintTextColor = 37;
public static final int TextInputLayout_passwordToggleContentDescription = 38;
public static final int TextInputLayout_passwordToggleDrawable = 39;
public static final int TextInputLayout_passwordToggleEnabled = 40;
public static final int TextInputLayout_passwordToggleTint = 41;
public static final int TextInputLayout_passwordToggleTintMode = 42;
public static final int TextInputLayout_shapeAppearance = 43;
public static final int TextInputLayout_shapeAppearanceOverlay = 44;
public static final int TextInputLayout_startIconCheckable = 45;
public static final int TextInputLayout_startIconContentDescription = 46;
public static final int TextInputLayout_startIconDrawable = 47;
public static final int TextInputLayout_startIconTint = 48;
public static final int TextInputLayout_startIconTintMode = 49;
public static final int[] ThemeEnforcement = { 0x1010034, 0x7f0300fb, 0x7f0300fc };
public static final int ThemeEnforcement_android_textAppearance = 0;
public static final int ThemeEnforcement_enforceMaterialTheme = 1;
public static final int ThemeEnforcement_enforceTextAppearance = 2;
public static final int[] Toolbar = { 0x10100af, 0x1010140, 0x7f030067, 0x7f03009a, 0x7f03009b, 0x7f0300b6, 0x7f0300b7, 0x7f0300b8, 0x7f0300b9, 0x7f0300ba, 0x7f0300bb, 0x7f030187, 0x7f030188, 0x7f03019e, 0x7f0301a2, 0x7f0301a5, 0x7f0301a6, 0x7f0301bd, 0x7f030213, 0x7f030214, 0x7f030215, 0x7f03025e, 0x7f030260, 0x7f030261, 0x7f030262, 0x7f030263, 0x7f030264, 0x7f030265, 0x7f030266, 0x7f030267 };
public static final int Toolbar_android_gravity = 0;
public static final int Toolbar_android_minHeight = 1;
public static final int Toolbar_buttonGravity = 2;
public static final int Toolbar_collapseContentDescription = 3;
public static final int Toolbar_collapseIcon = 4;
public static final int Toolbar_contentInsetEnd = 5;
public static final int Toolbar_contentInsetEndWithActions = 6;
public static final int Toolbar_contentInsetLeft = 7;
public static final int Toolbar_contentInsetRight = 8;
public static final int Toolbar_contentInsetStart = 9;
public static final int Toolbar_contentInsetStartWithNavigation = 10;
public static final int Toolbar_logo = 11;
public static final int Toolbar_logoDescription = 12;
public static final int Toolbar_maxButtonHeight = 13;
public static final int Toolbar_menu = 14;
public static final int Toolbar_navigationContentDescription = 15;
public static final int Toolbar_navigationIcon = 16;
public static final int Toolbar_popupTheme = 17;
public static final int Toolbar_subtitle = 18;
public static final int Toolbar_subtitleTextAppearance = 19;
public static final int Toolbar_subtitleTextColor = 20;
public static final int Toolbar_title = 21;
public static final int Toolbar_titleMargin = 22;
public static final int Toolbar_titleMarginBottom = 23;
public static final int Toolbar_titleMarginEnd = 24;
public static final int Toolbar_titleMarginStart = 25;
public static final int Toolbar_titleMarginTop = 26;
public static final int Toolbar_titleMargins = 27;
public static final int Toolbar_titleTextAppearance = 28;
public static final int Toolbar_titleTextColor = 29;
public static final int[] View = { 0x1010000, 0x10100da, 0x7f0301ae, 0x7f0301af, 0x7f030253 };
public static final int View_android_theme = 0;
public static final int View_android_focusable = 1;
public static final int View_paddingEnd = 2;
public static final int View_paddingStart = 3;
public static final int View_theme = 4;
public static final int[] ViewBackgroundHelper = { 0x10100d4, 0x7f030041, 0x7f030042 };
public static final int ViewBackgroundHelper_android_background = 0;
public static final int ViewBackgroundHelper_backgroundTint = 1;
public static final int ViewBackgroundHelper_backgroundTintMode = 2;
public static final int[] ViewPager2 = { 0x10100c4 };
public static final int ViewPager2_android_orientation = 0;
public static final int[] ViewStubCompat = { 0x10100d0, 0x10100f2, 0x10100f3 };
public static final int ViewStubCompat_android_id = 0;
public static final int ViewStubCompat_android_layout = 1;
public static final int ViewStubCompat_android_inflatedId = 2;
}
public static final class xml {
private xml() {}
public static final int rn_dev_preferences = 0x7f120000;
public static final int standalone_badge = 0x7f120001;
public static final int standalone_badge_gravity_bottom_end = 0x7f120002;
public static final int standalone_badge_gravity_bottom_start = 0x7f120003;
public static final int standalone_badge_gravity_top_start = 0x7f120004;
}
}
| [
"prajapati.pooja24@gmail.com"
] | prajapati.pooja24@gmail.com |
471821fc3cccd7a46207c78d1c7c8c17d6e35aa8 | 43d6aafd0a0324d2fff360f4ffdfabc791b4b957 | /src/main/java/com/moensun/spring/cache/operation/MSCacheableOperation.java | 81d507481cd4fbd483de3bb6f5f81282fa300960 | [] | no_license | moensun-java/spring-cahce | 11114985f7c68dcda7d3e3833da0f613042e32a0 | 2f0f63bb236d45012c5fe5e4764bd488ea85a06f | refs/heads/master | 2020-03-23T12:42:34.721572 | 2018-07-28T13:22:43 | 2018-07-28T13:22:43 | 141,576,288 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 1,445 | java | package com.moensun.spring.cache.operation;
/**
* Created by Bane.Shi.
* Copyright FClassroom
* User: Bane.Shi
* Date: 2018/7/18
* Time: 下午4:26
*/
public class MSCacheableOperation extends MSCacheOperation {
private final String unless;
private final boolean sync;
/**
* @param b
* @since 4.3
*/
protected MSCacheableOperation(MSCacheableOperation.Builder b) {
super(b);
this.unless = b.unless;
this.sync = b.sync;
}
public String getUnless() {
return this.unless;
}
public boolean isSync() {
return this.sync;
}
public static class Builder extends MSCacheOperation.Builder {
private String unless;
private boolean sync;
public void setUnless(String unless) {
this.unless = unless;
}
public void setSync(boolean sync) {
this.sync = sync;
}
@Override
protected StringBuilder getOperationDescription() {
StringBuilder sb = super.getOperationDescription();
sb.append(" | unless='");
sb.append(this.unless);
sb.append("'");
sb.append(" | sync='");
sb.append(this.sync);
sb.append("'");
return sb;
}
@Override
public MSCacheableOperation build() {
return new MSCacheableOperation(this);
}
}
}
| [
"fengxiaotx@163.com"
] | fengxiaotx@163.com |
34753e3d834619cc63abcd588637f7ff210a464a | 35e009313fddcfc96c252998ce236dbd15947127 | /java8exercises/test/ch3/ex01/LoggingTest.java | 04babcf245a36d750d7df45095941e488901b634 | [] | no_license | phuongdo/java8 | 611cbb60a57accc92e5ca68380b013188184fc93 | 3f14932da180eb12239c09546885555a051a6dc9 | refs/heads/master | 2020-12-05T23:41:32.939312 | 2015-11-08T08:41:32 | 2015-11-08T08:41:32 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 618 | java | package ch3.ex01;
import java.util.logging.Level;
import org.junit.Test;
public class LoggingTest {
@Test
public void test() {
int[] a = { 0, 10, 20, 30, 40, 50, 60, 70, 80, 90, 100 };
for (int j = 0; j < a.length; j++) {
int i = j;
// デフォルトでは、FINESTはロギングされない
Logging.logIf(Level.FINEST, () -> i == 10, () -> "a[10] = " + a[10]);
// INFOはロギングされる
Logging.logIf(Level.INFO, () -> i == 10, () -> "a[10] = " + a[10]);
/*
* INFO is loggable.
* 7 19, 2015 11:33:56 午前 ch3.ex01.Logging logIf
* 情報: a[10] = 100
*/
}
}
}
| [
"mikke.mr.children@gmail.com"
] | mikke.mr.children@gmail.com |
8caa64dc64cc4374229dee03528079c1f6a1a53a | c5586d303067349356e5a22c36840e228a9f1e7e | /hutool-core/src/main/java/com/xiaoleilu/hutool/io/file/FileReader.java | 5f9e00b1d2ae6aca4a146cbfb6cc1f09d5a6d6a1 | [
"Apache-2.0"
] | permissive | fnet123/hutool | eb1a4d12f0f784dfe42cf41442f8ccc4f7749d69 | 750b9787caac5ead2b009bde1b15e18096cf2dbb | refs/heads/master | 2021-01-19T23:06:51.209581 | 2017-04-16T06:06:04 | 2017-04-16T06:06:04 | 88,926,688 | 1 | 0 | null | 2017-04-21T01:36:16 | 2017-04-21T01:36:16 | null | UTF-8 | Java | false | false | 6,668 | java | package com.xiaoleilu.hutool.io.file;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.io.OutputStream;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
import com.xiaoleilu.hutool.io.FileUtil;
import com.xiaoleilu.hutool.io.IORuntimeException;
import com.xiaoleilu.hutool.io.IoUtil;
import com.xiaoleilu.hutool.util.CharsetUtil;
/**
* 文件读取器
*
* @author Looly
*
*/
public class FileReader extends FileWrapper {
/**
* 创建 FileReader
* @param file 文件
* @param charset 编码,使用 {@link CharsetUtil}
* @return {@link FileReader}
*/
public static FileReader create(File file, Charset charset){
return new FileReader(file, charset);
}
/**
* 创建 FileReader, 编码:{@link FileWrapper#DEFAULT_CHARSET}
* @param file 文件
* @return {@link FileReader}
*/
public static FileReader create(File file){
return new FileReader(file);
}
// ------------------------------------------------------- Constructor start
/**
* 构造
* @param file 文件
* @param charset 编码,使用 {@link CharsetUtil}
*/
public FileReader(File file, Charset charset) {
super(file, charset);
checkFile();
}
/**
* 构造
* @param file 文件
* @param charset 编码,使用 {@link CharsetUtil#charset(String)}
*/
public FileReader(File file, String charset) {
this(file, CharsetUtil.charset(charset));
}
/**
* 构造
* @param filePath 文件路径,相对路径会被转换为相对于ClassPath的路径
* @param charset 编码,使用 {@link CharsetUtil}
*/
public FileReader(String filePath, Charset charset) {
this(FileUtil.file(filePath), charset);
}
/**
* 构造
* @param filePath 文件路径,相对路径会被转换为相对于ClassPath的路径
* @param charset 编码,使用 {@link CharsetUtil#charset(String)}
*/
public FileReader(String filePath, String charset) {
this(FileUtil.file(filePath), CharsetUtil.charset(charset));
}
/**
* 构造<br>
* 编码使用 {@link FileWrapper#DEFAULT_CHARSET}
* @param file 文件
*/
public FileReader(File file) {
this(file, DEFAULT_CHARSET);
}
/**
* 构造<br>
* 编码使用 {@link FileWrapper#DEFAULT_CHARSET}
* @param filePath 文件路径,相对路径会被转换为相对于ClassPath的路径
*/
public FileReader(String filePath) {
this(filePath, DEFAULT_CHARSET);
}
// ------------------------------------------------------- Constructor end
/**
* 读取文件所有数据<br>
* 文件的长度不能超过 {@link Integer#MAX_VALUE}
*
* @return 字节码
* @throws IOException
*/
public byte[] readBytes() throws IORuntimeException {
long len = file.length();
if (len >= Integer.MAX_VALUE) {
throw new IORuntimeException("File is larger then max array size");
}
byte[] bytes = new byte[(int) len];
FileInputStream in = null;
try {
in = new FileInputStream(file);
in.read(bytes);
} catch (Exception e) {
throw new IORuntimeException(e);
} finally {
IoUtil.close(in);
}
return bytes;
}
/**
* 读取文件内容
*
* @return 内容
* @throws IORuntimeException
*/
public String readString() throws IORuntimeException{
return new String(readBytes(), this.charset);
}
/**
* 从文件中读取每一行数据
*
* @param collection 集合
* @return 文件中的每行内容的集合
* @throws IORuntimeException
*/
public <T extends Collection<String>> T readLines(T collection) throws IORuntimeException {
BufferedReader reader = null;
try {
reader = FileUtil.getReader(file, charset);
String line;
while (true) {
line = reader.readLine();
if (line == null) break;
collection.add(line);
}
return collection;
} catch (IOException e) {
throw new IORuntimeException(e);
} finally {
IoUtil.close(reader);
}
}
/**
* 从文件中读取每一行数据
*
* @return 文件中的每行内容的集合
* @throws IORuntimeException
*/
public List<String> readLines() throws IORuntimeException {
return readLines(new ArrayList<String>());
}
/**
* 按照给定的readerHandler读取文件中的数据
*
* @param readerHandler Reader处理类
* @return 从文件中read出的数据
* @throws IORuntimeException
*/
public <T> T read(ReaderHandler<T> readerHandler) throws IORuntimeException {
BufferedReader reader = null;
T result = null;
try {
reader = FileUtil.getReader(this.file, charset);
result = readerHandler.handle(reader);
} catch (IOException e) {
throw new IORuntimeException(e);
} finally {
IoUtil.close(reader);
}
return result;
}
/**
* 获得一个文件读取器
*
* @return BufferedReader对象
* @throws IORuntimeException
*/
public BufferedReader getReader() throws IORuntimeException {
return IoUtil.getReader(getInputStream(), this.charset);
}
/**
* 获得输入流
*
* @return 输入流
* @throws IORuntimeException
*/
public BufferedInputStream getInputStream() throws IORuntimeException {
try {
return new BufferedInputStream(new FileInputStream(this.file));
} catch (IOException e) {
throw new IORuntimeException(e);
}
}
/**
* 将文件写入流中
*
* @param out 流
* @return File
* @throws IORuntimeException
*/
public File writeToStream(OutputStream out) throws IORuntimeException {
FileInputStream in = null;
try {
in = new FileInputStream(file);
IoUtil.copy(in, out);
}catch (IOException e) {
throw new IORuntimeException(e);
} finally {
IoUtil.close(in);
}
return this.file;
}
// -------------------------------------------------------------------------- Interface start
/**
* Reader处理接口
*
* @author Luxiaolei
*
* @param <T>
*/
public interface ReaderHandler<T> {
public T handle(BufferedReader reader) throws IOException;
}
// -------------------------------------------------------------------------- Interface end
/**
* 检查文件
*
* @throws IOException
*/
private void checkFile() throws IORuntimeException {
if (false == file.exists()) {
throw new IORuntimeException("File not exist: " + file);
}
if (false == file.isFile()) {
throw new IORuntimeException("Not a file:" + file);
}
}
}
| [
"loolly@gmail.com"
] | loolly@gmail.com |
73c4bebde755bc52f98d84682eb0bbcd4d5da44e | ece98b5ca40034c078f6b5435af8eb5f73e8771f | /client-server/src/main/java/com/example/clientserver/http/AuthorityConfig.java | 9e0f869bf4dd1e0a531712ce6e863af90f0b8e52 | [] | no_license | dongsufeng/spring-security-oauth2 | 92cff368e1004c2ac7ff66ae3793d1fb1a3c4e75 | b3255203e037e16606814f132e8cd85e22f536a4 | refs/heads/master | 2020-04-12T02:19:18.466110 | 2018-12-20T02:26:14 | 2018-12-20T02:26:14 | 162,245,744 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,117 | java | package com.example.clientserver.http;//package com.example.clienttemp.http;
//
//import feign.Client;
//import feign.Feign;
//import jdk.nashorn.internal.runtime.GlobalConstants;
//import org.springframework.beans.factory.annotation.Autowired;
//import org.springframework.cloud.netflix.feign.support.SpringMvcContract;
//
///**
// * @author dongsufeng
// * @create 2018/12/13 16:49
// */
//public class AuthorityConfig {
//
// /**
// * 授权信息Header的key
// */
// public static final String OAUTH_KEY = "token";
//
// /**
// * 授权信息Header的值的前缀
// */
// public static final String OAUTH_VALUE_PREFIX = "Bearer ";
//
// @Autowired
// private Client client;
//
// public AuthorizationCodeTokenService userInfoFeignClient(String token) {
// AuthorizationCodeTokenService authorityServiceLoginInvoker = Feign.builder().client(client)
// .contract(new SpringMvcContract())
// .requestInterceptor(template -> template.header(OAUTH_KEY, OAUTH_VALUE_PREFIX + token));
// return authorityServiceLoginInvoker;
// }
//}
| [
"1663991989@qq.com"
] | 1663991989@qq.com |
b3980d9ae702d266c4f63dc54200ee5c6ed5c853 | 8587bf087a4d75a35f32ecaccbeba9de915b1cd8 | /src/main/java/com/jr/webapp/models/services/ClienteServiceImpl.java | 556b854c1a2ee12c08940c25afa6a75c438c05cb | [] | no_license | jnrch/webapp | f146e23a1b04c4b655d64489035c93e39db95ffd | 28d849fddb1d4d0063b337242e0d1a1f6f20159f | refs/heads/master | 2022-11-08T15:40:31.863044 | 2020-07-12T01:22:52 | 2020-07-12T01:22:52 | 267,865,809 | 0 | 0 | null | 2020-07-12T01:23:36 | 2020-05-29T13:33:30 | Java | UTF-8 | Java | false | false | 2,208 | java | package com.jr.webapp.models.services;
import com.jr.webapp.models.dao.IClienteDao;
import com.jr.webapp.models.dao.IFacturaDao;
import com.jr.webapp.models.dao.IProductoDao;
import com.jr.webapp.models.entity.Cliente;
import com.jr.webapp.models.entity.Factura;
import com.jr.webapp.models.entity.Producto;
import com.jr.webapp.models.entity.Region;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;
import java.util.List;
@Service
public class ClienteServiceImpl implements IClienteService {
@Autowired
private IClienteDao clienteDao;
@Autowired
private IFacturaDao facturaDao;
@Autowired
private IProductoDao productoDao;
@Override
@Transactional(readOnly = true)
public List<Cliente> findAll() {
return (List<Cliente>) clienteDao.findAll();
}
@Override
public Page<Cliente> findAll(Pageable pageable) {
return clienteDao.findAll(pageable);
}
@Transactional(readOnly = true)
public Cliente findById(Long id) {
return clienteDao.findById(id).orElse(null);
}
@Transactional
public Cliente save(Cliente cliente) {
return clienteDao.save(cliente);
}
@Transactional
public void delete(Long id) {
clienteDao.deleteById(id);
}
@Override
@Transactional(readOnly = true)
public List<Region> findAllRegiones() {
return clienteDao.findAllRegiones();
}
@Override
@Transactional(readOnly = true)
public Factura findfFacturaById(Long id) {
return facturaDao.findById(id).orElse(null);
}
@Override
@Transactional
public Factura saveFactura(Factura factura) {
return facturaDao.save(factura);
}
@Override
@Transactional
public void deleteFacturaById(Long id) {
facturaDao.deleteById(id);
}
@Override
@Transactional
public List<Producto> findProductoByNombre(String term) {
return productoDao.findByNombreContainingIgnoreCase(term);
}
}
| [
"jonathanrojas31@gmail.com"
] | jonathanrojas31@gmail.com |
056ac0640e94e77f6e80e5ded286054cafbf77a7 | cb6f5939c9fa12ab07cf71401b977d4fa4c22860 | /week-03/practical-03/problem-05/calcDet.java | 7dc39fe6812c5f24df73bade119a4219993e5f8d | [] | no_license | arpit2412/Foundation-of-Computer-Science | be6807359f5e8cf93ffbea80b58ab1c458c75d03 | 9008b7482d71410dff4c3449dfa4a32f8ab6e7e3 | refs/heads/master | 2022-12-07T17:55:37.002403 | 2020-09-03T11:01:24 | 2020-09-03T11:01:24 | 292,543,573 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 733 | java |
/*
*
* Foundations of Computer Science
* Semester 02 Year 2019
* id: a1784072 name: Arpit Garg
*
*/
class calcDet{
public int calcDet(int array[][], int n){
//creating variables
int d=0,x,y,z;
//Calculating determinant of matrix size 2
if(n == 2){
d = (array[0][0]*array[1][1] - array[0][1]*array[1][0]);
}else if(n==3){ //calculating determinant of matrix size 3
x = (array[1][1] * array[2][2]) - (array[2][1] * array[1][2]);
y = (array[1][0] * array[2][2]) - (array[2][0] * array[1][2]);
z = (array[1][0] * array[2][1]) - (array[2][0] * array[1][1]);
d = (array[0][0] * x) - (array[0][1] * y) + (array[0][2] * z);
}
return d; //returning the value of determinant
}
} | [
"arpit.rikki2412@gmail.com"
] | arpit.rikki2412@gmail.com |
373f12fe9ef8c9d136ffea48fbe6db99e6dbc43a | a0f650d05f01dacc1c3c35be94c890b6053ebc43 | /uva10600_10999/uva10925.java | f2bfba0d59355ec93aad6e6a9d98a134b1c74926 | [] | no_license | de-yu/uva | 574104ecd7bce3eb805efc821f47c09360654354 | b3bbd4a3f96b8741c6ef086b646b91b2fd3a9acf | refs/heads/master | 2021-05-04T11:31:19.477471 | 2019-06-10T15:32:57 | 2019-06-10T15:32:57 | 45,191,571 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,098 | 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 uva10600_10999;
import java.io.*;
import java.util.*;
import java.text.*;
import java.math.*;
import java.lang.*;
public class uva10925
{
public static void main(String[] args)throws IOException
{
Scanner scanner = new Scanner(new BufferedInputStream(System.in));
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int n = 1;
while(scanner.hasNextInt())
{
int a = scanner.nextInt();
int b = scanner.nextInt();
if(a==0)
break;
BigInteger sum = BigInteger.ZERO;
BigInteger bb = BigInteger.valueOf(b);
for(int i=0;i<a;i++)
sum = sum.add(scanner.nextBigInteger());
System.out.println("Bill #"+ n +" costs "+ sum +": each friend should pay " + sum.divide(bb) + "\n");
n++;
}
}
}
| [
"symbian3meego@Gmail.com"
] | symbian3meego@Gmail.com |
c9347ac1beacd3fddaeb1c212bc3040c62714f5d | 776d49f508bc8d6ec5959cf13d91f548e3f64a11 | /Methods/src/Main.java | fa7435bd73f7b2472b75c2a4efa1a900120f0678 | [] | no_license | bossever/JavaProjects | f197b6fcbe1ddd8b41c6d547fd8753d912e6a875 | 02c2c08e8549084812ec8524845aa083aef53351 | refs/heads/master | 2023-03-05T05:49:48.673154 | 2021-02-12T07:17:51 | 2021-02-12T07:17:51 | 288,240,091 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 486 | java | public class Main {
public static void main(String[] args) {
calculateScore();
}
public static void calculateScore() {
boolean gameOver = true;
int score = 800;
int levelCompleted = 5;
int bonus = 100;
if(gameOver) {
int finalScore = score + (levelCompleted * bonus);
finalScore += 1000;
System.out.println("Your final score was : " + finalScore);
}
}
}
| [
"ashusachan01@gmail.com"
] | ashusachan01@gmail.com |
2ee0276fed1cf810a76157ded4721df5d8581cc0 | 425e031abf5c6d76b014655186af4a7f5004e732 | /Ejercicio 4/Ejercicio4_EduardoMarcuello/src/java/curso/ejercicio4/IndexServlet.java | 729cc93c4ddfcdcbcca48af6cef88ea6dc763b09 | [] | no_license | edumarcu/CursoJavaCREA | 44534e319a77594d1c495d51776672334662a33e | 7ec31da56041506b5dbe07f0f998bfebba272ea2 | refs/heads/master | 2020-06-08T12:10:12.317428 | 2013-03-20T12:55:39 | 2013-03-20T12:55:39 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 704 | java | package curso.ejercicio4;
import java.io.IOException;
import javax.servlet.RequestDispatcher;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
@WebServlet(name = "IndexServlet", urlPatterns = {"/index"})
public class IndexServlet extends HttpServlet {
@Override
protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
// Redirect to view
RequestDispatcher dispatcher = req.getRequestDispatcher("/index.jsp");
dispatcher.forward(req, resp);
}
}
| [
"edu...@gmail.com"
] | edu...@gmail.com |
b2fc09f6711502bc55e6dcdfaaa21f5b3e9b0c85 | ccf6c4b4c882ebbc3fffaaf8bb4917566600b4de | /src/connect4/app/Controller.java | aa2e977b46faa0c330a507fc805df3d612643494 | [] | no_license | saharsahebi/connect4FX | be31b0daa0b2722fa76827220184cc9f910aecb2 | 9de93c4970647119eb4c539705e00f25dfdecc55 | refs/heads/master | 2023-04-12T13:09:18.623626 | 2021-05-05T06:08:08 | 2021-05-05T06:08:08 | 364,475,106 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 8,867 | java | package connect4.app;
import javafx.animation.TranslateTransition;
import javafx.application.Platform;
import javafx.fxml.FXML;
import javafx.fxml.Initializable;
import javafx.geometry.Point2D;
import javafx.scene.Scene;
import javafx.scene.control.*;
import javafx.scene.layout.GridPane;
import javafx.scene.layout.Pane;
import javafx.scene.media.AudioClip;
import javafx.scene.media.Media;
import javafx.scene.media.MediaPlayer;
import javafx.scene.paint.Color;
import javafx.scene.shape.Circle;
import javafx.scene.shape.Rectangle;
import javafx.scene.shape.Shape;
import javafx.stage.Stage;
import javafx.util.Duration;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
import java.io.RandomAccessFile;
import java.net.URL;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.List;
import java.util.Optional;
import java.util.ResourceBundle;
import java.util.stream.Collectors;
import java.util.stream.IntStream;
public class Controller implements Initializable {
private static final int COLUMNS=7;
private static final int ROWS=6;
private static final int CIRCLE_DIAMETER=80;
private static final String discColor1="#24303E";
private static final String discColor2="#4CAA88";
private static long startTime;
private static long endTime;
private static String PLAYER_ONE="Player One";
private static String PLAYER_TWO="Player Two";
private boolean isPlayerOneTurn=true;
private Disc[][] insertedDiscsArray=new Disc[ROWS][COLUMNS];
private boolean isAllowedToInsert=true;
@FXML
public GridPane rootGridPane;
@FXML
public Pane insertedDiscPane;
@FXML
public Label playerNameLabel;
@FXML
public TextField playerOneTextField,playerTwoTextField;
@FXML
public Button setNamesButton;
public void createPlayground(){
Platform.runLater(() -> setNamesButton.requestFocus());
Shape rectangleWithHoles=createGameStructureGrid();
rootGridPane.add(rectangleWithHoles,0,1);
setNamesButton.setOnAction(event -> {
PLAYER_ONE=playerOneTextField.getText();
PLAYER_TWO=playerTwoTextField.getText();
playerNameLabel.setText(isPlayerOneTurn? PLAYER_ONE : PLAYER_TWO);
playMusic();
startTime=System.currentTimeMillis();
List<Rectangle> rectangleList=createClickableColumns();
for (Rectangle rectangle:rectangleList){
rootGridPane.add(rectangle,0,1);
}
});
}
private Shape createGameStructureGrid(){
Shape rectangleWithHoles=new Rectangle((COLUMNS+1)*CIRCLE_DIAMETER,(ROWS+1)*CIRCLE_DIAMETER);
for (int row=0;row<ROWS;row++){
for (int col=0;col<COLUMNS;col++){
Circle circle=new Circle();
circle.setRadius(CIRCLE_DIAMETER/2);
circle.setCenterX(CIRCLE_DIAMETER/2);
circle.setCenterY(CIRCLE_DIAMETER/2);
circle.setSmooth(true);
circle.setTranslateX(col*(CIRCLE_DIAMETER+5)+CIRCLE_DIAMETER/4);
circle.setTranslateY(row*(CIRCLE_DIAMETER+5)+CIRCLE_DIAMETER/4);
rectangleWithHoles=Shape.subtract(rectangleWithHoles,circle);
}
}
rectangleWithHoles.setFill(Color.WHITE);
return rectangleWithHoles;
}
private List<Rectangle> createClickableColumns(){
List<Rectangle> rectangleList=new ArrayList<>();
for (int col=0;col<COLUMNS;col++){
Rectangle rectangle=new Rectangle(CIRCLE_DIAMETER,(ROWS+1)*CIRCLE_DIAMETER);
rectangle.setFill(Color.TRANSPARENT);
rectangle.setTranslateX(col*(CIRCLE_DIAMETER+5)+CIRCLE_DIAMETER/4);
rectangle.setOnMouseEntered(event -> rectangle.setFill(Color.valueOf("#eeeeee66")));
rectangle.setOnMouseExited(event -> rectangle.setFill(Color.TRANSPARENT));
final int column=col;
rectangle.setOnMouseClicked(event -> {
if (isAllowedToInsert) {
isAllowedToInsert=false;
insertDisc(new Disc(isPlayerOneTurn), column);
}
});
rectangleList.add(rectangle);
}
return rectangleList;
}
private void insertDisc(Disc disc,int column){
int row=ROWS-1;
while (row >= 0){
if (getDiscIfPresent(row,column)==null)
break;
row--;
}
if (row<0)
return;
insertedDiscsArray[row][column]=disc;
insertedDiscPane.getChildren().add(disc);
disc.setTranslateX(column*(CIRCLE_DIAMETER+5)+CIRCLE_DIAMETER/4);
int currRow=row;
TranslateTransition translateTransition=new TranslateTransition(Duration.seconds(0.4),disc);
translateTransition.setToY(row*(CIRCLE_DIAMETER+5)+CIRCLE_DIAMETER/4);
translateTransition.setOnFinished(event -> {
isAllowedToInsert=true;
if(gameEnded(currRow,column)){
try {
gameOver();
} catch (IOException ioException) {
ioException.printStackTrace();
}
return;
}
isPlayerOneTurn =! isPlayerOneTurn;
playerNameLabel.setText(isPlayerOneTurn? PLAYER_ONE : PLAYER_TWO);
});
translateTransition.play();
}
private boolean gameEnded(int row, int column){
List<Point2D> verticalPointes=IntStream.rangeClosed(row-3,row+3) //range of row values= 0,1,2,3,4,5
.mapToObj(r-> new Point2D(r,column)) //0,3 1,3 2,3 3,3 4,3 5,3 ==> Point2D x,y
.collect(Collectors.toList());
List<Point2D> horizontalPoints=IntStream.rangeClosed(column-3,column+3)
.mapToObj(col-> new Point2D(row,col))
.collect(Collectors.toList());
Point2D startPoint1 =new Point2D(row-3,column+3);
List<Point2D> digonal1Point= IntStream.rangeClosed(0,6)
.mapToObj(i-> startPoint1.add(i,-i))
.collect(Collectors.toList());
Point2D startPoint2 =new Point2D(row-3,column-3);
List<Point2D> digonal2Point= IntStream.rangeClosed(0,6)
.mapToObj(i-> startPoint2.add(i,i))
.collect(Collectors.toList());
boolean isEnded=checkCombination(verticalPointes) || checkCombination(horizontalPoints)
|| checkCombination(digonal1Point)
|| checkCombination(digonal2Point);
return isEnded;
}
private boolean checkCombination(List<Point2D> points) {
int chain = 0;
for (Point2D point: points) {
int rowIndexForArray = (int) point.getX();
int columnIndexForArray = (int) point.getY();
Disc disc = getDiscIfPresent(rowIndexForArray, columnIndexForArray);
if (disc != null && disc.isPlayerOneMove == isPlayerOneTurn) {
chain++;
if (chain == 4) {
return true;
}
} else {
chain = 0;
}
}
return false;
}
public Disc getDiscIfPresent(int row,int column){
if (row >= ROWS || row < 0 || column >= COLUMNS || column < 0)
return null;
return insertedDiscsArray[row][column];
}
private void gameOver() throws IOException {
mediaPlayer.stop();
String winner = isPlayerOneTurn ? PLAYER_ONE : PLAYER_TWO;
System.out.println("Winner is: " + winner);
endTime=System.currentTimeMillis();
long allSeconds=endTime-startTime;
writeToFIle(winner,allSeconds);
Alert alert=new Alert(Alert.AlertType.INFORMATION);
DialogPane dialogPane= alert.getDialogPane();
dialogPane.getStylesheets().add(
getClass().getResource("style.css").toExternalForm());
alert.setTitle("Connect Four");
alert.setHeaderText("برنده بازی: "+winner);
alert.setContentText("آیا میخواهید دوباره بازی کنید؟");
ButtonType yeBtn=new ButtonType("بله");
ButtonType noBtn =new ButtonType("نه!");
alert.getButtonTypes().setAll(yeBtn,noBtn);
Platform.runLater(()->{
Optional<ButtonType> btnClicked= alert.showAndWait();
if (btnClicked.isPresent() && btnClicked.get() ==yeBtn){
mediaPlayer.play();
resetGame();
}else{
Platform.exit();
System.exit(0);
}
});
}
//Hana
public void resetGame() {
insertedDiscPane.getChildren().clear();
for (int row = 0; row <insertedDiscsArray.length ; row++) {
for (int column = 0; column < insertedDiscsArray[row].length; column++) {
insertedDiscsArray[row][column] = null;
}
}
isPlayerOneTurn=true;
playerNameLabel.setText(PLAYER_ONE);
createPlayground();
}
//Yalda{
private static class Disc extends Circle{
private final boolean isPlayerOneMove;
public Disc(boolean isPlayerOneMove){
this.isPlayerOneMove=isPlayerOneMove;
setRadius(CIRCLE_DIAMETER/2);
setFill(isPlayerOneMove? Color.valueOf(discColor1) : Color.valueOf(discColor2));
setCenterX(CIRCLE_DIAMETER/2);
setCenterY(CIRCLE_DIAMETER/2);
}
}
static AudioClip mediaPlayer;
public void playMusic(){
String path = "src/connect4/app/Media/test.mp3";
Media hit = new Media(Paths.get(path).toUri().toString());
mediaPlayer= new AudioClip(hit.getSource());
mediaPlayer.play();
}
public void writeToFIle(String winner,long time) throws IOException {
RandomAccessFile file=new RandomAccessFile("history.txt","rw");
file.seek(file.length());
file.writeUTF(":"+PLAYER_ONE+":"+PLAYER_TWO+":"+winner+":"+time+"\n");
file.close();
}
@Override
public void initialize(URL location, ResourceBundle resources) {
}
}
| [
"shrsahebi@gmail.com"
] | shrsahebi@gmail.com |
7573a9c6b1fd26bd59f877cec4bb222532d390f2 | 741efd31248c3784a7707723a7514d5cce67d45f | /app/src/main/java/com/efsoft/hangmedia/database/NewDatabase.java | b4dafbb92ca0faabda830032099f28e364f72bb4 | [] | no_license | fahmi-dzulqarnain/hang-mobile-amanah | 8b05fc0814f4d96aa9d30d686648f96e6c035a35 | adf7bb1512ea3a9f11f8d9f20731f484a64eaeb9 | refs/heads/master | 2022-11-25T06:05:14.243542 | 2020-08-01T14:55:00 | 2020-08-01T14:55:00 | 284,281,252 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,806 | java | package com.efsoft.hangmedia.database;
import android.content.ContentValues;
import android.content.Context;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
public class NewDatabase extends SQLiteOpenHelper {
private static final String Database_Name = "datahang.db";
private static final String Tabel_Alarm = "AlarmTabel";
private static final String Tabel_Jadwal = "JadwalTabel";
public NewDatabase(Context context){
super(context, Database_Name, null, 1);
}
@Override
public void onCreate(SQLiteDatabase db) {
db.execSQL("create table " + Tabel_Alarm + " (ID_ALARM INTEGER PRIMARY KEY AUTOINCREMENT," +
"TITLE TEXT, TIME TEXT)");
db.execSQL("create table " + Tabel_Jadwal + " (ID INTEGER PRIMARY KEY AUTOINCREMENT," +
"PRAYNAME TEXT, TIME TEXT)");
}
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
db.execSQL("drop table if exists " + Tabel_Alarm);
db.execSQL("drop table if exists " + Tabel_Jadwal);
onCreate(db);
}
public void insertJadwal(String prayname, String time){
SQLiteDatabase db = this.getWritableDatabase();
ContentValues conVal = new ContentValues();
conVal.put("PRAYNAME", prayname);
conVal.put("TIME", time);
db.insert(Tabel_Jadwal, null, conVal);
}
public void updateJadwal(String prayname, String time){
SQLiteDatabase db = this.getWritableDatabase();
ContentValues conVal = new ContentValues();
conVal.put("TIME", time);
db.update(Tabel_Jadwal, conVal, "PRAYNAME = ?", new String[]{prayname});
}
public Cursor getPrayTime(String prayname){
SQLiteDatabase db = this.getWritableDatabase();
return db.rawQuery("SELECT TIME FROM JadwalTabel WHERE PRAYNAME = ?", new String[]{prayname});
}
public void insertPengaturan(String settingField, String value){
SQLiteDatabase db = this.getWritableDatabase();
ContentValues conVal = new ContentValues();
conVal.put("PRAYNAME", settingField);
conVal.put("TIME", value);
db.insert(Tabel_Jadwal, null, conVal);
}
public void updateSetting(String settingField, String value){
SQLiteDatabase db = this.getWritableDatabase();
ContentValues conVal = new ContentValues();
conVal.put("TIME", value);
db.update(Tabel_Jadwal, conVal, "PRAYNAME = ?", new String[]{settingField});
}
public Cursor getSetting(String settingField){
SQLiteDatabase db = this.getWritableDatabase();
return db.rawQuery("SELECT TIME FROM JadwalTabel WHERE PRAYNAME = ?", new String[]{settingField});
}
}
| [
"fdz.fhz1302@gmail.com"
] | fdz.fhz1302@gmail.com |
6985e736094ab9200cfa74e261a487e50a9203db | fa91450deb625cda070e82d5c31770be5ca1dec6 | /Diff-Raw-Data/35/35_8a6e3938d3e8ce7f273350cfa30a5337e2c21c68/UdpMulticastEndToEndTests/35_8a6e3938d3e8ce7f273350cfa30a5337e2c21c68_UdpMulticastEndToEndTests_t.java | 3ddcc2d398dc64f6a79220fee13f92a8e285f65b | [] | no_license | zhongxingyu/Seer | 48e7e5197624d7afa94d23f849f8ea2075bcaec0 | c11a3109fdfca9be337e509ecb2c085b60076213 | refs/heads/master | 2023-07-06T12:48:55.516692 | 2023-06-22T07:55:56 | 2023-06-22T07:55:56 | 259,613,157 | 6 | 2 | null | 2023-06-22T07:55:57 | 2020-04-28T11:07:49 | null | UTF-8 | Java | false | false | 4,885 | java | /*
* Copyright 2002-2010 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.springframework.integration.ip.udp;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertTrue;
import static org.junit.Assert.fail;
import java.util.Date;
import java.util.concurrent.CountDownLatch;
import java.util.concurrent.TimeUnit;
import org.junit.Ignore;
import org.junit.Test;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.AbstractApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import org.springframework.integration.channel.BeanFactoryChannelResolver;
import org.springframework.integration.channel.ChannelResolver;
import org.springframework.integration.channel.QueueChannel;
import org.springframework.integration.core.Message;
import org.springframework.integration.core.MessageChannel;
import org.springframework.integration.message.StringMessage;
/**
* Sends and receives a simple message through to the Udp channel adapters.
* If run as a JUnit just sends one message and terminates (see console).
*
* If run from main(),
* hangs around for a couple of minutes to allow console interaction (enter a message on the
* console and you should see it go through the outbound context, over UDP, and
* received in the other context (and written back to the console).
*
* @author Gary Russell
* @since 2.0
*/
public class UdpMulticastEndToEndTests implements Runnable {
private String testingIpText;
private Message<byte[]> finalMessage;
private CountDownLatch sentFirst = new CountDownLatch(1);
private CountDownLatch firstReceived = new CountDownLatch(1);
private CountDownLatch doneProcessing = new CountDownLatch(1);
private boolean okToRun = true;
private CountDownLatch readyToReceive = new CountDownLatch(1);
private static long hangAroundFor = 0;
@Test
@Ignore
public void runIt() throws Exception {
UdpMulticastEndToEndTests launcher = new UdpMulticastEndToEndTests();
Thread t = new Thread(launcher);
t.start(); // launch the receiver
AbstractApplicationContext applicationContext = new ClassPathXmlApplicationContext(
"testIp-out-multicast-context.xml",
UdpMulticastEndToEndTests.class);
launcher.launchSender(applicationContext);
applicationContext.stop();
}
public void launchSender(ApplicationContext applicationContext) throws Exception {
ChannelResolver channelResolver = new BeanFactoryChannelResolver(applicationContext);
MessageChannel inputChannel = channelResolver.resolveChannelName("mcInputChannel");
if (!readyToReceive.await(30, TimeUnit.SECONDS)) {
fail("Receiver failed to start in 30s");
}
try {
testingIpText = ">>>>>>> Testing IP (multicast) " + new Date();
inputChannel.send(new StringMessage(testingIpText));
sentFirst.countDown();
try {
Thread.sleep(hangAroundFor); // give some time for console interaction
}
catch (InterruptedException e) {
e.printStackTrace();
}
}
finally {
if (hangAroundFor == 0) {
sentFirst = new CountDownLatch(1);
}
else {
okToRun = false;
}
// tell the receiver to we're done
doneProcessing.countDown();
}
assertTrue(firstReceived.await(2, TimeUnit.SECONDS));
assertEquals(testingIpText, new String(finalMessage.getPayload()));
}
/**
* Instantiate the receiving context
*/
@SuppressWarnings("unchecked")
public void run() {
AbstractApplicationContext ctx = new ClassPathXmlApplicationContext(
"testIp-in-multicast-context.xml",
UdpMulticastEndToEndTests.class);
while (okToRun) {
try {
readyToReceive.countDown();
sentFirst.await();
}
catch (InterruptedException e) {
e.printStackTrace();
}
QueueChannel channel = ctx.getBean("udpOutChannel", QueueChannel.class);
finalMessage = (Message<byte[]>) channel.receive();
firstReceived.countDown();
try {
doneProcessing.await();
}
catch (InterruptedException e) {
e.printStackTrace();
}
}
ctx.stop();
}
public static void main(String[] args) throws Exception {
hangAroundFor = 120000;
new UdpMulticastEndToEndTests().runIt();
}
}
| [
"yuzhongxing88@gmail.com"
] | yuzhongxing88@gmail.com |
6b654735ba2dcd2af67e67ddb0b6eaeff7cacf7e | 6a6362e8167dd50c1b417f896d98170b4a82ecc7 | /S/socket/prime String/Server.java | 26641c15d692adb42b530a701b0f99a8cca36dcb | [] | no_license | varunnj1/sl15 | 04115f532d8339a2665662c875302b0d9e2b7138 | c6cc18f7e33c834f1574589e27f1f9b0e6a8b8aa | refs/heads/master | 2021-09-15T15:35:10.256982 | 2018-06-06T02:15:44 | 2018-06-06T02:15:44 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,181 | java | package com.server;
import java.io.DataInputStream;
import java.io.DataOutputStream;
import java.io.IOException;
import java.net.ServerSocket;
import java.net.Socket;
public class Server {
public Server() {
// TODO Auto-generated constructor stub
}
public static void main(String[] args) {
ServerSocket ss = null;
Socket s;
DataInputStream dis;
DataOutputStream dos;
try {
ss = new ServerSocket(786);
System.out.println("Server Started!");
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
while (true) {
try {
s = ss.accept();
System.out.println("Client " + s + " connected");
dis = new DataInputStream(s.getInputStream());
dos = new DataOutputStream(s.getOutputStream());
Thread t = new ClientHandler(s, dis, dos);
System.out.println("Assigning thread to : " + s);
t.start();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
try {
ss.close();
} catch (IOException e1) {
// TODO Auto-generated catch block
e1.printStackTrace();
}
}
}
}
}
| [
"varun.namjoshi22@gmail.com"
] | varun.namjoshi22@gmail.com |
11da8c39f92a7a6d93175b6eb0f1e2133f0e4830 | b8e652ebf37c0f1d61ca9f75572752917f143580 | /src/SimulationFrame.java | 9797100b36dda9f70ca0459cd61488867a5021ae | [] | no_license | basiav/PathfindingVisualiser | de5a38032a7150237dc7d69bc14508869be3e7b2 | b5c407ceb218aa6578217b911d1caf163b3fff6d | refs/heads/master | 2023-04-08T22:42:02.783711 | 2021-04-24T00:39:18 | 2021-04-24T00:39:18 | 360,708,233 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,851 | java | import javax.swing.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
public class SimulationFrame implements ActionListener{
BoardPanel boardPanel;
NodeGrid nodeGrid;
public int delay;
public JFrame frame;
public Timer timer;
PathAlgo pathAlgo;
BFS bfs;
DFS dfs;
AStar aStar;
public SimulationFrame(NodeGrid nodeGrid, int delay, PathAlgo pathAlgo){
this.nodeGrid = nodeGrid;
this.delay = delay;
this.pathAlgo = pathAlgo;
bfs = new BFS(this.nodeGrid);
dfs = new DFS(this.nodeGrid, this);
aStar = new AStar(this.nodeGrid);
this.timer = new Timer(delay, this);
this.boardPanel = new BoardPanel(this.nodeGrid, this);
frame = new JFrame("Pathfinder Visualiser");
frame.setSize(1000, 1000);
frame.setDefaultCloseOperation(JFrame.HIDE_ON_CLOSE);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
frame.add(this.boardPanel);
}
public void startSimulation(){
this.timer.start();
switch (this.pathAlgo){
case BFS:
bfs.runBFS();
break;
case DFS:
dfs.runDFS();
break;
case AStar:
aStar.runAStar();
break;
}
}
public void showPrimalBoard(){
this.boardPanel.repaint();
}
@Override
public void actionPerformed(ActionEvent e){
this.boardPanel.repaint();
switch (this.pathAlgo) {
case BFS:
this.bfs.oneRoundRunning = true;
break;
case DFS:
this.dfs.oneRoundRunning = true;
break;
case AStar:
this.aStar.oneRoundRunning = true;
}
}
}
| [
"82549088+basiav@users.noreply.github.com"
] | 82549088+basiav@users.noreply.github.com |
77ae37ffb26efbe062b44e28b99878e4c1c53fdb | 2d3e3040c19bf608273830c1727ad821e45655d7 | /src/main/java/com/emap/geometry/parsing/StringParserImpl.java | 0f9bf745b88b22970bb8ab4ff5fcb6d13f603170 | [] | no_license | YanKuhalski/EPAM-Training.1st-Task.Geometry | 788071dd14c1de4b9d6ef95f88269ecb432ab128 | 36705eccd8f322a73a7a9e6bc6014a7d5ca9e646 | refs/heads/master | 2020-04-02T14:01:03.291964 | 2018-11-20T20:22:30 | 2018-11-20T20:22:30 | 154,506,766 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,314 | java | package com.emap.geometry.parsing;
import com.emap.geometry.exeptions.ParseExeption;
import com.emap.geometry.validation.StringValidator;
import org.apache.log4j.Logger;
public class StringParserImpl implements StringParser {
private static final Logger log = Logger.getLogger(StringParserImpl.class);
private final StringValidator validator;
public StringParserImpl(StringValidator validator) {
this.validator = validator;
}
@Override
public double[] parse(String string) {
try {
log.info("String was successfully parsed");
return patseToDoubleArray(string);
} catch (ParseExeption parseExeption) {
log.info(parseExeption);
return new double[]{};
}
}
private double[] patseToDoubleArray(String string) throws ParseExeption {
double[] doubles;
if (validator.isValid(string)) {
log.info("String is valid");
String[] numbers = string.split(" ");
doubles = new double[numbers.length];
int counter = 0;
for (String str : numbers) {
doubles[counter++] = Double.valueOf(str);
}
return doubles;
} else {
throw new ParseExeption("String is invalid");
}
}
}
| [
"ykuhalski@mail.ru"
] | ykuhalski@mail.ru |
0c2583f4740803a36fcc0ca4f0239b36c47db542 | 84b1377730739483e5cc32f84942f171c0eeca05 | /livraison/livraison-core/src/main/java/com/nordnet/topaze/livraison/core/business/ElementStateInfo.java | 2435da5d45fb1ef097c15c64d6008b2b81e7c110 | [] | no_license | oussama-denden/tp | f9dfe0ceb7f88feddd28b474f51cc17c8ccb4fdd | c1917ac3f54e47af24399febc59b4b44a046927f | refs/heads/master | 2020-03-27T21:09:34.136657 | 2015-04-10T14:49:52 | 2015-04-10T14:49:52 | 147,119,498 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,939 | java | package com.nordnet.topaze.livraison.core.business;
/**
* cette classe lie un element contractuelle avec son etat das packager.
*
* @author mahjoub-MARZOUGUI
*
*/
public class ElementStateInfo {
/**
* reference de l'element contractuelle.
*/
private String refenceElementContractuelle;
/**
* etat de l'element dans packager pour les services.
*/
private TState state;
/**
* le code de produit pour un element contractuelle.
*/
private String codeProduit;
/**
* le code de colis pour un element contractuelle.
*/
private String codeColis;
/**
* indique si un element contractuelle de type bien est prepare pour etre retourné.
*/
private Boolean preparerPourRetour;
/**
* indique si un element contractuelle de type bien est deja retourné.
*/
private Boolean retourne;
/**
* gets the refrence element contractuelle.
*
* @return {@link #refenceElementContractuelle}
*/
public String getRefenceElementContractuelle() {
return refenceElementContractuelle;
}
/**
* sets the reference element contractuelle.
*
* @param refenceElementContractuelle
* {@link #refenceElementContractuelle}
*/
public void setRefenceElementContractuelle(String refenceElementContractuelle) {
this.refenceElementContractuelle = refenceElementContractuelle;
}
/**
* get the state.
*
* @return {@link #state}
*/
public TState getState() {
return state;
}
/**
* set the state.
*
* @param state
* {@link #state}
*/
public void setState(TState state) {
this.state = state;
}
/**
* get the code produit.
*
* @return {@link #codeProduit}
*/
public String getCodeProduit() {
return codeProduit;
}
/**
* sets the code produit.
*
* @param codeProduit
* the new {@link #codeProduit}
*/
public void setCodeProduit(String codeProduit) {
this.codeProduit = codeProduit;
}
/**
* gets the code colis.
*
* @return {@link #codeColis}
*/
public String getCodeColis() {
return codeColis;
}
/**
* sets new code colis.
*
* @param codeColis
* the new {@link #codeColis}
*/
public void setCodeColis(String codeColis) {
this.codeColis = codeColis;
}
/**
* get the preparerPourRetour.
*
* @return {@link #preparerPourRetour}
*/
public Boolean getPreparerPourRetour() {
return preparerPourRetour;
}
/**
* set the preparerPourRetour.
*
* @param preparerPourRetour
* the new {@link #preparerPourRetour}
*/
public void setPreparerPourRetour(Boolean preparerPourRetour) {
this.preparerPourRetour = preparerPourRetour;
}
/**
* get the retourne.
*
* @return {@link #retourne}
*/
public Boolean getRetourne() {
return retourne;
}
/**
* set the new retourne.
*
* @param retourne
* the new retourne {@link #retourne}
*/
public void setRetourne(Boolean retourne) {
this.retourne = retourne;
}
}
| [
"jldansou@14disi-jldansou.nordnet.net"
] | jldansou@14disi-jldansou.nordnet.net |
01e7ad187a13f1112fc237af0cc3b436a7f8e7bc | 8e77031741491e490221aa2ccc9484f8be14e851 | /spring-beans/src/main/java/org/springframework/beans/factory/support/CglibSubclassingInstantiationStrategy.java | ce19f3de550f64c5d21cf1d728e53fe1d08178fa | [
"Apache-2.0"
] | permissive | PLZTalkToMe/spring-sourcecode-4.3.22 | 351264227f0b6d0a5467ac88c678836b61b80759 | 5047b51b0fda7f28121423c0715b89fd5b7e40e5 | refs/heads/master | 2021-04-17T12:40:19.370460 | 2020-04-08T03:14:24 | 2020-04-08T03:14:24 | 249,446,122 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 11,078 | java | /*
* Copyright 2002-2016 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.springframework.beans.factory.support;
import java.lang.reflect.Constructor;
import java.lang.reflect.Method;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.springframework.beans.BeanInstantiationException;
import org.springframework.beans.BeanUtils;
import org.springframework.beans.factory.BeanFactory;
import org.springframework.beans.factory.config.ConfigurableBeanFactory;
import org.springframework.cglib.core.ClassGenerator;
import org.springframework.cglib.core.DefaultGeneratorStrategy;
import org.springframework.cglib.core.SpringNamingPolicy;
import org.springframework.cglib.proxy.Callback;
import org.springframework.cglib.proxy.CallbackFilter;
import org.springframework.cglib.proxy.Enhancer;
import org.springframework.cglib.proxy.Factory;
import org.springframework.cglib.proxy.MethodInterceptor;
import org.springframework.cglib.proxy.MethodProxy;
import org.springframework.cglib.proxy.NoOp;
import org.springframework.util.StringUtils;
/**
* Default object instantiation strategy for use in BeanFactories.
*
* <p>Uses CGLIB to generate subclasses dynamically if methods need to be
* overridden by the container to implement <em>Method Injection</em>.
*
* @author Rod Johnson
* @author Juergen Hoeller
* @author Sam Brannen
* @since 1.1
*/
public class CglibSubclassingInstantiationStrategy extends SimpleInstantiationStrategy {
/**
* Index in the CGLIB callback array for passthrough behavior,
* in which case the subclass won't override the original class.
*/
private static final int PASSTHROUGH = 0;
/**
* Index in the CGLIB callback array for a method that should
* be overridden to provide <em>method lookup</em>.
*/
private static final int LOOKUP_OVERRIDE = 1;
/**
* Index in the CGLIB callback array for a method that should
* be overridden using generic <em>method replacer</em> functionality.
*/
private static final int METHOD_REPLACER = 2;
@Override
protected Object instantiateWithMethodInjection(RootBeanDefinition bd, String beanName, BeanFactory owner) {
return instantiateWithMethodInjection(bd, beanName, owner, null);
}
@Override
protected Object instantiateWithMethodInjection(RootBeanDefinition bd, String beanName, BeanFactory owner,
Constructor<?> ctor, Object... args) {
// Must generate CGLIB subclass...
return new CglibSubclassCreator(bd, owner).instantiate(ctor, args);
}
/**
* An inner class created for historical reasons to avoid external CGLIB dependency
* in Spring versions earlier than 3.2.
*/
private static class CglibSubclassCreator {
private static final Class<?>[] CALLBACK_TYPES = new Class<?>[]
{NoOp.class, LookupOverrideMethodInterceptor.class, ReplaceOverrideMethodInterceptor.class};
private final RootBeanDefinition beanDefinition;
private final BeanFactory owner;
CglibSubclassCreator(RootBeanDefinition beanDefinition, BeanFactory owner) {
this.beanDefinition = beanDefinition;
this.owner = owner;
}
/**
* Create a new instance of a dynamically generated subclass implementing the
* required lookups.
* @param ctor constructor to use. If this is {@code null}, use the
* no-arg constructor (no parameterization, or Setter Injection)
* @param args arguments to use for the constructor.
* Ignored if the {@code ctor} parameter is {@code null}.
* @return new instance of the dynamically generated subclass
*/
public Object instantiate(Constructor<?> ctor, Object... args) {
Class<?> subclass = createEnhancedSubclass(this.beanDefinition);
Object instance;
if (ctor == null) {
instance = BeanUtils.instantiateClass(subclass);
}
else {
try {
Constructor<?> enhancedSubclassConstructor = subclass.getConstructor(ctor.getParameterTypes());
instance = enhancedSubclassConstructor.newInstance(args);
}
catch (Exception ex) {
throw new BeanInstantiationException(this.beanDefinition.getBeanClass(),
"Failed to invoke constructor for CGLIB enhanced subclass [" + subclass.getName() + "]", ex);
}
}
// SPR-10785: set callbacks directly on the instance instead of in the
// enhanced class (via the Enhancer) in order to avoid memory leaks.
Factory factory = (Factory) instance;
factory.setCallbacks(new Callback[] {NoOp.INSTANCE,
new LookupOverrideMethodInterceptor(this.beanDefinition, this.owner),
new ReplaceOverrideMethodInterceptor(this.beanDefinition, this.owner)});
return instance;
}
/**
* Create an enhanced subclass of the bean class for the provided bean
* definition, using CGLIB.
*/
private Class<?> createEnhancedSubclass(RootBeanDefinition beanDefinition) {
// 生成Enhancer对象,并为Enhancer对象设置生成Java对象的参数,比如基类、回调方法等
Enhancer enhancer = new Enhancer();
enhancer.setSuperclass(beanDefinition.getBeanClass());
enhancer.setNamingPolicy(SpringNamingPolicy.INSTANCE);
if (this.owner instanceof ConfigurableBeanFactory) {
ClassLoader cl = ((ConfigurableBeanFactory) this.owner).getBeanClassLoader();
enhancer.setStrategy(new ClassLoaderAwareGeneratorStrategy(cl));
}
enhancer.setCallbackFilter(new MethodOverrideCallbackFilter(beanDefinition));
enhancer.setCallbackTypes(CALLBACK_TYPES);
// 使用CGLIB的create方法实例化的Bean对象
return enhancer.createClass();
}
}
/**
* Class providing hashCode and equals methods required by CGLIB to
* ensure that CGLIB doesn't generate a distinct class per bean.
* Identity is based on class and bean definition.
*/
private static class CglibIdentitySupport {
private final RootBeanDefinition beanDefinition;
public CglibIdentitySupport(RootBeanDefinition beanDefinition) {
this.beanDefinition = beanDefinition;
}
public RootBeanDefinition getBeanDefinition() {
return this.beanDefinition;
}
@Override
public boolean equals(Object other) {
return (getClass() == other.getClass() &&
this.beanDefinition.equals(((CglibIdentitySupport) other).beanDefinition));
}
@Override
public int hashCode() {
return this.beanDefinition.hashCode();
}
}
/**
* CGLIB GeneratorStrategy variant which exposes the application ClassLoader
* as thread context ClassLoader for the time of class generation
* (in order for ASM to pick it up when doing common superclass resolution).
*/
private static class ClassLoaderAwareGeneratorStrategy extends DefaultGeneratorStrategy {
private final ClassLoader classLoader;
public ClassLoaderAwareGeneratorStrategy(ClassLoader classLoader) {
this.classLoader = classLoader;
}
@Override
public byte[] generate(ClassGenerator cg) throws Exception {
if (this.classLoader == null) {
return super.generate(cg);
}
Thread currentThread = Thread.currentThread();
ClassLoader threadContextClassLoader;
try {
threadContextClassLoader = currentThread.getContextClassLoader();
}
catch (Throwable ex) {
// Cannot access thread context ClassLoader - falling back...
return super.generate(cg);
}
boolean overrideClassLoader = !this.classLoader.equals(threadContextClassLoader);
if (overrideClassLoader) {
currentThread.setContextClassLoader(this.classLoader);
}
try {
return super.generate(cg);
}
finally {
if (overrideClassLoader) {
// Reset original thread context ClassLoader.
currentThread.setContextClassLoader(threadContextClassLoader);
}
}
}
}
/**
* CGLIB callback for filtering method interception behavior.
*/
private static class MethodOverrideCallbackFilter extends CglibIdentitySupport implements CallbackFilter {
private static final Log logger = LogFactory.getLog(MethodOverrideCallbackFilter.class);
public MethodOverrideCallbackFilter(RootBeanDefinition beanDefinition) {
super(beanDefinition);
}
@Override
public int accept(Method method) {
MethodOverride methodOverride = getBeanDefinition().getMethodOverrides().getOverride(method);
if (logger.isTraceEnabled()) {
logger.trace("Override for '" + method.getName() + "' is [" + methodOverride + "]");
}
if (methodOverride == null) {
return PASSTHROUGH;
}
else if (methodOverride instanceof LookupOverride) {
return LOOKUP_OVERRIDE;
}
else if (methodOverride instanceof ReplaceOverride) {
return METHOD_REPLACER;
}
throw new UnsupportedOperationException("Unexpected MethodOverride subclass: " +
methodOverride.getClass().getName());
}
}
/**
* CGLIB MethodInterceptor to override methods, replacing them with an
* implementation that returns a bean looked up in the container.
*/
private static class LookupOverrideMethodInterceptor extends CglibIdentitySupport implements MethodInterceptor {
private final BeanFactory owner;
public LookupOverrideMethodInterceptor(RootBeanDefinition beanDefinition, BeanFactory owner) {
super(beanDefinition);
this.owner = owner;
}
@Override
public Object intercept(Object obj, Method method, Object[] args, MethodProxy mp) throws Throwable {
// Cast is safe, as CallbackFilter filters are used selectively.
LookupOverride lo = (LookupOverride) getBeanDefinition().getMethodOverrides().getOverride(method);
Object[] argsToUse = (args.length > 0 ? args : null); // if no-arg, don't insist on args at all
if (StringUtils.hasText(lo.getBeanName())) {
return this.owner.getBean(lo.getBeanName(), argsToUse);
}
else {
return this.owner.getBean(method.getReturnType(), argsToUse);
}
}
}
/**
* CGLIB MethodInterceptor to override methods, replacing them with a call
* to a generic MethodReplacer.
*/
private static class ReplaceOverrideMethodInterceptor extends CglibIdentitySupport implements MethodInterceptor {
private final BeanFactory owner;
public ReplaceOverrideMethodInterceptor(RootBeanDefinition beanDefinition, BeanFactory owner) {
super(beanDefinition);
this.owner = owner;
}
@Override
public Object intercept(Object obj, Method method, Object[] args, MethodProxy mp) throws Throwable {
ReplaceOverride ro = (ReplaceOverride) getBeanDefinition().getMethodOverrides().getOverride(method);
// TODO could cache if a singleton for minor performance optimization
MethodReplacer mr = this.owner.getBean(ro.getMethodReplacerBeanName(), MethodReplacer.class);
return mr.reimplement(obj, method, args);
}
}
}
| [
"xxx@xx.xxx"
] | xxx@xx.xxx |
1caef792e47e204518922767968da0ee967589ae | 4a669b58003d67e7a3bf7d65ecc3feb9562c06f5 | /src/main/java/com/github/qq275860560/security/MyLogoutSuccessHandler.java | 06e621cb21ef075dfa00bbdfe8eb76894389e051 | [] | no_license | qq275860560/security | 0423995870c94d54f43442fe460726da446e33f3 | 833ed96af380760fd08ab0e9e53372a6d44539d1 | refs/heads/master | 2020-05-19T07:47:03.051737 | 2019-06-22T16:41:24 | 2019-06-22T16:41:24 | 184,903,864 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,325 | java | package com.github.qq275860560.security;
import java.io.IOException;
import java.util.HashMap;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.http.MediaType;
import org.springframework.security.core.Authentication;
import org.springframework.security.web.authentication.logout.LogoutSuccessHandler;
import org.springframework.stereotype.Component;
import com.fasterxml.jackson.databind.ObjectMapper;
import lombok.extern.slf4j.Slf4j;
/**
* @author jiangyuanlin@163.com
*
*/
@Component
@Slf4j
public class MyLogoutSuccessHandler implements LogoutSuccessHandler {
@Autowired
private ObjectMapper objectMapper;
@Override
public void onLogoutSuccess(HttpServletRequest request, HttpServletResponse response, Authentication authentication)
throws IOException, ServletException {
log.debug("退出成功");
response.setContentType(MediaType.APPLICATION_JSON_UTF8_VALUE);
response.getWriter().write(objectMapper.writeValueAsString(new HashMap<String, Object>() {
{
put("code", HttpStatus.OK.value());
put("msg", "退出成功");
put("data", authentication);
}
}));
}
} | [
"jiangyuanlin@163.com"
] | jiangyuanlin@163.com |
90c157a17503e1f1494db347847ccf62f49e0c4b | aa5345802a3105636ee5e44d672709ddbdb63daa | /com.syntax2021/src/class07/LotteryWithWhile.java | 6b04a54c35b0ccfe772b941109a0401e16b441f6 | [] | no_license | MonikaBayus/JavaBatch9 | d453a0d0ee7719bd917417ce5ef5c6090c1e7d83 | 8d291b8281fe892a9dc9dcca6c8a65cfd6426a86 | refs/heads/main | 2023-03-28T05:10:43.697938 | 2021-03-11T03:20:16 | 2021-03-11T03:20:16 | 346,564,724 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 621 | java | package class07;
import java.util.Scanner;
public class LotteryWithWhile {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int number;
int lotteryNumber = 17;
//code repetition in this example comparing with while;
System.out.println("Please enter any number from 1 to 100 to win the lotter: ");
number = scanner.nextInt();
while( number!=lotteryNumber) {
System.out.println("Please enter any number from 1 to 100 to win");
number = scanner.nextInt();
}
System.out.println("You are a winner, your lucky number is: " + number);
}
}
| [
"kmonika.bayus*gmail.com"
] | kmonika.bayus*gmail.com |
15076433b6917f90524f29ca75fc490ca2fe8178 | 791aebcf0bac90c83870484db744cc8a80661532 | /Day3/src/com/example/exercise/Repairable.java | f3de4e88117e4e6c1ecbd21211e3522dbbfe1ece | [] | no_license | ye110/webtech | db05bee2982e2f06ae4d47ca3053dbc0d5e1c97e | 9e62e5f3419c2ba806f340b469468b8cc89f27b8 | refs/heads/main | 2023-03-28T20:31:00.323991 | 2021-03-30T12:44:36 | 2021-03-30T12:44:36 | 352,993,044 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 79 | java | package com.example.exercise;
public interface Repairable {
void repair();
}
| [
"rpmk97@gmail.com"
] | rpmk97@gmail.com |
aed32a62c82541b4596c595e334b150d6198a81b | eab22f819437d108d88b6d527d0121ac94d0c93b | /app/src/main/java/ranggacikal/com/myapplication/model/DataSupplierItem.java | 1456a016008975b6a25e215d5eca510cb75cb318 | [] | no_license | ranggacikal/PointOfSaleJCodeCloth | 7ad5e273beca584a97d77330096a4d3f230d4804 | 1b3817d87122e63c5c662373253562bfe1cf3a3d | refs/heads/master | 2023-01-23T15:05:57.647745 | 2020-11-24T11:27:47 | 2020-11-24T11:27:47 | 315,610,173 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,845 | java | package ranggacikal.com.myapplication.model;
import com.google.gson.annotations.SerializedName;
public class DataSupplierItem{
@SerializedName("nama")
private String nama;
@SerializedName("jenis_supplier")
private String jenisSupplier;
@SerializedName("id_jenis_supplier")
private String idJenisSupplier;
@SerializedName("no_telpon")
private String noTelpon;
@SerializedName("id_supplier")
private String idSupplier;
@SerializedName("email")
private String email;
@SerializedName("alamat")
private String alamat;
public void setNama(String nama){
this.nama = nama;
}
public String getNama(){
return nama;
}
public void setJenisSupplier(String jenisSupplier){
this.jenisSupplier = jenisSupplier;
}
public String getJenisSupplier(){
return jenisSupplier;
}
public void setIdJenisSupplier(String idJenisSupplier){
this.idJenisSupplier = idJenisSupplier;
}
public String getIdJenisSupplier(){
return idJenisSupplier;
}
public void setNoTelpon(String noTelpon){
this.noTelpon = noTelpon;
}
public String getNoTelpon(){
return noTelpon;
}
public void setIdSupplier(String idSupplier){
this.idSupplier = idSupplier;
}
public String getIdSupplier(){
return idSupplier;
}
public void setEmail(String email){
this.email = email;
}
public String getEmail(){
return email;
}
public void setAlamat(String alamat){
this.alamat = alamat;
}
public String getAlamat(){
return alamat;
}
@Override
public String toString(){
return
"DataSupplierItem{" +
"nama = '" + nama + '\'' +
",jenis_supplier = '" + jenisSupplier + '\'' +
",id_jenis_supplier = '" + idJenisSupplier + '\'' +
",no_telpon = '" + noTelpon + '\'' +
",id_supplier = '" + idSupplier + '\'' +
",email = '" + email + '\'' +
",alamat = '" + alamat + '\'' +
"}";
}
} | [
"ranggacikal2@gmail.com"
] | ranggacikal2@gmail.com |
f08fa66b66fda65dae7c4fc60dd91445e2215ed9 | ecc254b1729e94bf5997c79b10cdfa2d6eabacef | /app/src/main/java/com/weblieu/findtrue/profile/GetProfile.java | 36a526a7c62d5c171f77f8de8aa6ddab0e293a2b | [] | no_license | gaurav-weblieu/truefinder | 251f4565edf53fa6025a4ba6af8da1b8dcddb34a | b036b5cbd30023c486c3cbd9356f5a5bf03040b6 | refs/heads/master | 2023-08-26T14:19:03.197421 | 2021-11-03T19:43:13 | 2021-11-03T19:43:13 | 424,124,995 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 871 | java | package com.weblieu.findtrue.profile;
import com.google.gson.annotations.Expose;
import com.google.gson.annotations.SerializedName;
import com.weblieu.findtrue.model.Datum;
import java.util.List;
public class GetProfile {
@SerializedName("type")
@Expose
private String type;
@SerializedName("message")
@Expose
private String message;
@SerializedName("data")
@Expose
private List<LoginData> data = null;
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public String getMessage() {
return message;
}
public void setMessage(String message) {
this.message = message;
}
public List<LoginData> getData() {
return data;
}
public void setData(List<LoginData> data) {
this.data = data;
}
}
| [
"gaurav.weblieu@gmail.com"
] | gaurav.weblieu@gmail.com |
91d9ff00e5761ec37bee27a5097519d907008d94 | c2dcec8de294471d682bff97cccfbfe8b7fc360e | /Java/Player.java | aeb90db3e7ee6495266b299fbd143bae8958d740 | [] | no_license | hldnwrght/Horse_Game | f2665f63b0cdbda8f3fce4805ba6515027353062 | 36ead613aa217ee41e012a526fa74df2cefce795 | refs/heads/master | 2020-04-21T03:32:03.365166 | 2019-02-05T18:05:32 | 2019-02-05T18:05:32 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 595 | java | //Honor Pledge: I pledge that I have neither given nor received any help on this assignment
import java.io.*;
import java.util.*;
public class Player
{
private char[] horse;
private int shot;
private Random rand = new Random();
public static char[] WORD = {'H', 'O', 'R', 'S', 'E'};
public Player()
{
this.horse = new char[5];
}
public int getshot(){
this.shot= rand.nextInt(2)+1;
return this.shot;
}
void gethorse(){
int i=0;
while(i < 5){
System.out.print(this.horse[i]);
i++;
}
}
char sethorse(int n){
this.horse[n] = WORD[n];
return this.horse[n];
}
} | [
"noreply@github.com"
] | hldnwrght.noreply@github.com |
10457df0d9a615c5efa089c05fcaf4b696be930f | 40665051fadf3fb75e5a8f655362126c1a2a3af6 | /Bernardo-MG-dice-notation-java/cdee6ba4a85e1eb8590d9027d0b6e19eb34c47ea/63/DiceGatherer.java | 19655037145ffce6f410c3eb62a1880586a3986c | [] | no_license | fermadeiral/StyleErrors | 6f44379207e8490ba618365c54bdfef554fc4fde | d1a6149d9526eb757cf053bc971dbd92b2bfcdf1 | refs/heads/master | 2020-07-15T12:55:10.564494 | 2019-10-24T02:30:45 | 2019-10-24T02:30:45 | 205,546,543 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,869 | java | /**
* Copyright 2014-2019 the original author or authors
* <p>
* 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
* <p>
* http://www.apache.org/licenses/LICENSE-2.0
* <p>
* 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.bernardomg.tabletop.dice.interpreter;
import static com.google.common.base.Preconditions.checkNotNull;
import java.util.ArrayList;
import java.util.Collection;
import java.util.Iterator;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import com.bernardomg.tabletop.dice.DefaultDice;
import com.bernardomg.tabletop.dice.Dice;
import com.bernardomg.tabletop.dice.notation.DiceNotationExpression;
import com.bernardomg.tabletop.dice.notation.operand.DiceOperand;
import com.bernardomg.tabletop.dice.notation.operation.SubtractionOperation;
/**
* Dice notation expression which returns all the dice sets contained inside the
* expression.
* <p>
* This will search for dice operands, and acquire the dice inside of them.
*
* @author Bernardo Martínez Garrido
*
*/
public final class DiceGatherer implements DiceInterpreter<Iterable<Dice>> {
/**
* Logger.
*/
private static final Logger LOGGER = LoggerFactory
.getLogger(DiceGatherer.class);
/**
* Transformer to generate a list from the received expression.
*/
private final DiceInterpreter<Iterable<DiceNotationExpression>> traverser = new InorderTraverser();
/**
* Default constructor.
*/
public DiceGatherer() {
super();
}
@Override
public final Iterable<Dice>
transform(final DiceNotationExpression expression) {
final Iterable<DiceNotationExpression> exps;
checkNotNull(expression, "Received a null pointer as expression");
LOGGER.debug("Root expression {}", expression);
// The expression is broken down
exps = traverser.transform(expression);
// The expressions are filtered, taking all the dice
return filterDice(exps);
}
/**
* Filters the received expressions, returning only the dice contained in
* them, in the same order they are in the received list.
*
* @param expressions
* expressions to filter
* @return all the dice in the expressions
*/
private final Iterable<Dice>
filterDice(final Iterable<DiceNotationExpression> expressions) {
final Collection<Dice> result;
final Iterator<DiceNotationExpression> expsItr;
DiceNotationExpression exp;
result = new ArrayList<>();
expsItr = expressions.iterator();
while (expsItr.hasNext()) {
exp = expsItr.next();
if (exp instanceof SubtractionOperation) {
exp = expsItr.next();
if (exp instanceof DiceOperand) {
result.add(reverse(((DiceOperand) exp).getDice()));
}
} else if (exp instanceof DiceOperand) {
result.add(((DiceOperand) exp).getDice());
}
}
return result;
}
/**
* Reverses the sign of a dice, changing positive values to negatives, and
* viceversa.
*
* @param dice
* dice to reverse
* @return dice with the sign reversed
*/
private final Dice reverse(final Dice dice) {
return new DefaultDice(0 - dice.getQuantity(), dice.getSides());
}
}
| [
"fer.madeiral@gmail.com"
] | fer.madeiral@gmail.com |
bc935d96dd040c08345326427b18b9e596b69285 | fc65852dec842c1b8b39a163299565506430b812 | /src/main/java/com/yagudza/demo/repository/UserRepository.java | c94d1948a780a059a5468528ca9543b4aac4130e | [] | no_license | Yagoodza/demo | cfdb3b20e81e72fde959fb4567763e059d70ab65 | 1c78ff4dc227bc70ff8aa2dee75e09e48a6bf870 | refs/heads/master | 2022-12-02T16:06:09.995159 | 2020-08-21T09:29:57 | 2020-08-21T09:29:57 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 205 | java | package com.yagudza.demo.repository;
import com.yagudza.demo.domain.User;
import org.springframework.data.repository.CrudRepository;
public interface UserRepository extends CrudRepository<User, Long> {
} | [
"ayagudza@gmail.com"
] | ayagudza@gmail.com |
17813b72caced9b3c240e2454c882f263ebe0e4b | 20ffe8bfdd1154e91fc1d0a98c4f272f4c19a540 | /promotioner/src/main/java/com/promotioner/main/ApiManager/PromotionerApiManager.java | e74681cc0ada23a73b900556d74f5be73ee63855 | [] | no_license | huhuanming/promotioner_android | 2a1d2f95a79119d12eefa205d878ecd5e6298ba0 | 644a5a8fb72313c987671ff959a3a98a6d2039f7 | refs/heads/master | 2016-09-06T12:02:34.487072 | 2015-04-14T01:15:27 | 2015-04-14T01:15:27 | 22,824,238 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,139 | java | package com.promotioner.main.ApiManager;
import com.promotioner.main.Model.LoginBackData;
import com.promotioner.main.Model.PMessageBackData;
import rx.Observable;
import rx.Observer;
import rx.Subscription;
import rx.concurrency.Schedulers;
import rx.subscriptions.Subscriptions;
/**
* Created by chen on 14-7-19.
*/
public class PromotionerApiManager extends MainApiManager{
private static final PromotionerApiInterface.ApiManagerNoticeService apiManager = restAdapter.create(PromotionerApiInterface.ApiManagerNoticeService.class);
public static Observable<PMessageBackData> getPMessageBackData(final String access_token, final String restaurant_name,
final String supervisor_name,final String back_account,
final String phone_number,final String linsece,
final String id_card_front,final String id_card_reverse,
final String address,final String radius,
final String longitude,final String latitude,
final String coordinate_x1,final String coordinate_x2,
final String coordinate_y1,final String coordinate_y2) {
return Observable.create(new Observable.OnSubscribeFunc<PMessageBackData>() {
@Override
public Subscription onSubscribe(Observer<? super PMessageBackData> observer) {
try {
observer.onNext(apiManager.getPMessageBackData(access_token,restaurant_name,supervisor_name,
back_account,phone_number,linsece,id_card_front,id_card_reverse,
address,radius,longitude,latitude,coordinate_x1,coordinate_x2,coordinate_y1,coordinate_y2));
observer.onCompleted();
} catch (Exception e) {
observer.onError(e);
}
return Subscriptions.empty();
}
}).subscribeOn(Schedulers.threadPoolForIO());
}
private static final PromotionerApiInterface.ApiManagerLogin LoginapiManager = restAdapter.create(PromotionerApiInterface.ApiManagerLogin.class);
public static Observable<LoginBackData> getLoginBackData(final String username, final String passwork) {
return Observable.create(new Observable.OnSubscribeFunc<LoginBackData>() {
@Override
public Subscription onSubscribe(Observer<? super LoginBackData> observer) {
try {
observer.onNext(LoginapiManager.getLoginBackData(username,passwork));
observer.onCompleted();
} catch (Exception e) {
observer.onError(e);
}
return Subscriptions.empty();
}
}).subscribeOn(Schedulers.threadPoolForIO());
}
}
| [
"924010725@qq.com"
] | 924010725@qq.com |
d9c16dcd4ae2a542375037c35b405c5057ee2fd4 | 8d348401688e14075ca47e60d27f8dc55bdd6297 | /parser2/sources/src/parsing/format/res/package-info.java | ceb3c50ce56ddbfa2acf55cab575f04c86aff90f | [] | no_license | Hug0Vincent/gutemberg-node | d505e278a7466e0f84515bf0f3ce5832d60cd39b | 0705cd62b00baea418f6adc78c15d1993e59910d | refs/heads/master | 2020-03-21T14:22:20.703592 | 2018-04-26T16:12:02 | 2018-04-26T16:12:02 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 156 | java | /**
* @author Gutemberg
* Ce package contient l'ensemble des informations permettant de mener le parsing d'un fichier RES
*/
package parsing.format.res; | [
"cadioumaxime@gmail.com"
] | cadioumaxime@gmail.com |
cad03a9cdbb1ca7d08d626246034ec4a56b5fbfa | 4b2b6fe260ba39f684f496992513cb8bc07dfcbc | /com/planet_ink/coffee_mud/core/smtp/MassMailer.java | 17284d8d365853578891655cf24b1c1643d8419f | [
"Apache-2.0"
] | permissive | vjanmey/EpicMudfia | ceb26feeac6f5b3eb48670f81ea43d8648314851 | 63c65489c673f4f8337484ea2e6ebfc11a09364c | refs/heads/master | 2021-01-18T20:12:08.160733 | 2014-06-22T04:38:14 | 2014-06-22T04:38:14 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 7,718 | java | package com.planet_ink.coffee_mud.core.smtp;
import com.planet_ink.coffee_mud.core.interfaces.*;
import com.planet_ink.coffee_mud.core.*;
import com.planet_ink.coffee_mud.core.collections.*;
import com.planet_ink.coffee_mud.Abilities.interfaces.*;
import com.planet_ink.coffee_mud.Areas.interfaces.*;
import com.planet_ink.coffee_mud.Behaviors.interfaces.*;
import com.planet_ink.coffee_mud.CharClasses.interfaces.*;
import com.planet_ink.coffee_mud.Commands.interfaces.*;
import com.planet_ink.coffee_mud.Common.interfaces.*;
import com.planet_ink.coffee_mud.Exits.interfaces.*;
import com.planet_ink.coffee_mud.Items.interfaces.*;
import com.planet_ink.coffee_mud.Libraries.interfaces.*;
import com.planet_ink.coffee_mud.Locales.interfaces.*;
import com.planet_ink.coffee_mud.MOBS.interfaces.*;
import com.planet_ink.coffee_mud.Races.interfaces.*;
import java.net.*;
import java.util.*;
import com.planet_ink.coffee_mud.core.exceptions.*;
import java.io.*;
/*
Copyright 2000-2014 Bo Zimmerman
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
public class MassMailer implements Runnable
{
private final LinkedList<MassMailerEntry> entries=new LinkedList<MassMailerEntry>();
private final CMProps page;
private final String domain;
private final HashSet<String> oldEmailComplaints;
private static class MassMailerEntry
{
public final JournalsLibrary.JournalEntry mail;
public final String journalName;
public final String overrideReplyTo;
public final boolean usePrivateRules;
public MassMailerEntry(JournalsLibrary.JournalEntry mail, String journalName, String overrideReplyTo, boolean usePrivateRules)
{
this.mail=mail;
this.journalName=journalName;
this.overrideReplyTo=overrideReplyTo;
this.usePrivateRules=usePrivateRules;
}
}
public MassMailer(CMProps page, String domain, HashSet<String> oldEmailComplaints)
{
this.page=page;
this.domain=domain;
this.oldEmailComplaints=oldEmailComplaints;
}
public String domainName() { return domain;}
public int getFailureDays()
{
final String s=page.getStr("FAILUREDAYS");
if(s==null) return (365*20);
final int x=CMath.s_int(s);
if(x==0) return (365*20);
return x;
}
public int getEmailDays()
{
final String s=page.getStr("EMAILDAYS");
if(s==null) return (365*20);
final int x=CMath.s_int(s);
if(x==0) return (365*20);
return x;
}
public boolean deleteEmailIfOld(String journalName, String key, long date, int days)
{
final Calendar IQE=Calendar.getInstance();
IQE.setTimeInMillis(date);
IQE.add(Calendar.DATE,days);
if(IQE.getTimeInMillis()<System.currentTimeMillis())
{
// email is a goner
CMLib.database().DBDeleteJournal(journalName, key);
return true;
}
return false;
}
public void addMail(JournalsLibrary.JournalEntry mail, String journalName, String overrideReplyTo, boolean usePrivateRules)
{
entries.add(new MassMailerEntry(mail,journalName,overrideReplyTo,usePrivateRules));
}
protected boolean rightTimeToSendEmail(long email)
{
final long curr=System.currentTimeMillis();
final Calendar IQE=Calendar.getInstance();
IQE.setTimeInMillis(email);
final Calendar IQC=Calendar.getInstance();
IQC.setTimeInMillis(curr);
if(CMath.absDiff(email,curr)<(30*60*1000)) return true;
while(IQE.before(IQC))
{
if(CMath.absDiff(IQE.getTimeInMillis(),IQC.getTimeInMillis())<(30*60*1000))
return true;
IQE.add(Calendar.DATE,1);
}
return false;
}
@Override
public void run()
{
for(final MassMailerEntry entry : entries)
{
final JournalsLibrary.JournalEntry mail=entry.mail;
final String journalName=entry.journalName;
final String overrideReplyTo=entry.overrideReplyTo;
final boolean usePrivateRules=entry.usePrivateRules;
final String key=mail.key;
final String from=mail.from;
final String to=mail.to;
final long date=mail.update;
final String subj=mail.subj;
final String msg=mail.msg.trim();
if(to.equalsIgnoreCase("ALL")||(to.toUpperCase().trim().startsWith("MASK="))) continue;
if(!rightTimeToSendEmail(date)) continue;
// check for valid recipient
final String toEmail;
final String toName;
if(CMLib.players().playerExists(to))
{
final MOB toM=CMLib.players().getLoadPlayer(to);
// check to see if the sender is ignored
if((toM.playerStats()!=null)
&&(toM.playerStats().getIgnored().contains(from)))
{
// email is ignored
CMLib.database().DBDeleteJournal(journalName,key);
continue;
}
if(CMath.bset(toM.getBitmap(),MOB.ATT_AUTOFORWARD)) // forwarding OFF
continue;
if((toM.playerStats()==null)
||(toM.playerStats().getEmail().length()==0)) // no email addy to forward TO
continue;
toName=toM.Name();
toEmail=toM.playerStats().getEmail();
}
else
if(CMLib.players().accountExists(to))
{
final PlayerAccount P=CMLib.players().getLoadAccount(to);
if((P.getEmail().length()==0)) // no email addy to forward TO
continue;
toName=P.getAccountName();
toEmail=P.getEmail();
}
else
{
Log.errOut("SMTPServer","Invalid to address '"+to+"' in email: "+msg);
CMLib.database().DBDeleteJournal(journalName,key);
continue;
}
// check email age
if((usePrivateRules)
&&(!CMath.bset(mail.attributes, JournalsLibrary.JournalEntry.ATTRIBUTE_PROTECTED))
&&(deleteEmailIfOld(journalName, key, date, getEmailDays())))
continue;
SMTPLibrary.SMTPClient SC=null;
try
{
if(CMProps.getVar(CMProps.Str.SMTPSERVERNAME).length()>0)
SC=CMLib.smtp().getClient(CMProps.getVar(CMProps.Str.SMTPSERVERNAME),SMTPLibrary.DEFAULT_PORT);
else
SC=CMLib.smtp().getClient(toEmail);
}
catch(final BadEmailAddressException be)
{
if((!usePrivateRules)
&&(!CMath.bset(mail.attributes, JournalsLibrary.JournalEntry.ATTRIBUTE_PROTECTED)))
{
// email is a goner if its a list
CMLib.database().DBDeleteJournal(journalName,key);
continue;
}
// otherwise it has its n days
continue;
}
catch(final java.io.IOException ioe)
{
if(!oldEmailComplaints.contains(toName))
{
oldEmailComplaints.add(toName);
Log.errOut("SMTPServer","Unable to send '"+toEmail+"' for '"+toName+"': "+ioe.getMessage());
}
if(!CMath.bset(mail.attributes, JournalsLibrary.JournalEntry.ATTRIBUTE_PROTECTED))
deleteEmailIfOld(journalName, key, date,getFailureDays());
continue;
}
final String replyTo=(overrideReplyTo!=null)?(overrideReplyTo):from;
try
{
SC.sendMessage(from+"@"+domainName(),
replyTo+"@"+domainName(),
toEmail,
usePrivateRules?toEmail:replyTo+"@"+domainName(),
subj,
CMLib.coffeeFilter().simpleOutFilter(msg));
//this email is HISTORY!
CMLib.database().DBDeleteJournal(journalName, key);
}
catch(final java.io.IOException ioe)
{
// it has FAILUREDAYS days to get better.
if(deleteEmailIfOld(journalName, key, date,getFailureDays()))
Log.errOut("SMTPServer","Permanently unable to send to '"+toEmail+"' for user '"+toName+"': "+ioe.getMessage()+".");
else
Log.errOut("SMTPServer","Failure to send to '"+toEmail+"' for user '"+toName+"'.");
}
}
}
}
| [
"vjanmey@gmail.com"
] | vjanmey@gmail.com |
68cb5d398808bfbcfb8c2fcff0f3bdf4821efa54 | 1ade213d50ac46d7f160745b50515946c80ed6da | /GoogleMaps/app/build/gen/com/google/android/gms/gcm/R.java | e4643adf4cda92001298936e95db14af7457d36c | [] | no_license | markoliver19/Google-Maps | 762f4614a84640b6b296a0d5cdc485cf390b2e3f | 600c8cc0b20ebe07d7f71c7962ded6e950994dc6 | refs/heads/master | 2023-02-02T01:38:23.156601 | 2020-12-17T11:42:52 | 2020-12-17T11:42:52 | 322,275,839 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 448,369 | java | /* AUTO-GENERATED FILE. DO NOT MODIFY.
*
* This class was automatically generated by the
* aapt tool from the resource data it found. It
* should not be modified by hand.
*/
package com.google.android.gms.gcm;
public final class R {
public static final class anim {
public static final int abc_fade_in=0x7f040000;
public static final int abc_fade_out=0x7f040001;
public static final int abc_grow_fade_in_from_bottom=0x7f040002;
public static final int abc_popup_enter=0x7f040003;
public static final int abc_popup_exit=0x7f040004;
public static final int abc_shrink_fade_out_from_bottom=0x7f040005;
public static final int abc_slide_in_bottom=0x7f040006;
public static final int abc_slide_in_top=0x7f040007;
public static final int abc_slide_out_bottom=0x7f040008;
public static final int abc_slide_out_top=0x7f040009;
}
public static final class attr {
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarDivider=0x7f010083;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarItemBackground=0x7f010084;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarPopupTheme=0x7f01007d;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
<p>May be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>wrap_content</code></td><td>0</td><td></td></tr>
</table>
*/
public static final int actionBarSize=0x7f010082;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarSplitStyle=0x7f01007f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarStyle=0x7f01007e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarTabBarStyle=0x7f010079;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarTabStyle=0x7f010078;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarTabTextStyle=0x7f01007a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarTheme=0x7f010080;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionBarWidgetTheme=0x7f010081;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionButtonStyle=0x7f01009d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionDropDownStyle=0x7f010099;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionLayout=0x7f010054;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionMenuTextAppearance=0x7f010085;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int actionMenuTextColor=0x7f010086;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeBackground=0x7f010089;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeCloseButtonStyle=0x7f010088;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeCloseDrawable=0x7f01008b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeCopyDrawable=0x7f01008d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeCutDrawable=0x7f01008c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeFindDrawable=0x7f010091;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModePasteDrawable=0x7f01008e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModePopupWindowStyle=0x7f010093;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeSelectAllDrawable=0x7f01008f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeShareDrawable=0x7f010090;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeSplitBackground=0x7f01008a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeStyle=0x7f010087;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionModeWebSearchDrawable=0x7f010092;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionOverflowButtonStyle=0x7f01007b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int actionOverflowMenuStyle=0x7f01007c;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int actionProviderClass=0x7f010056;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int actionViewClass=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 final int activityChooserViewStyle=0x7f0100a5;
/**
The size of the ad. It must be one of BANNER, FULL_BANNER, LEADERBOARD,
MEDIUM_RECTANGLE, SMART_BANNER, WIDE_SKYSCRAPER, FLUID or
<width>x<height>.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int adSize=0x7f0100fb;
/**
A comma-separated list of the supported ad sizes. The sizes must be one of
BANNER, FULL_BANNER, LEADERBOARD, MEDIUM_RECTANGLE, SMART_BANNER,
WIDE_SKYSCRAPER, FLUID or <width>x<height>.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int adSizes=0x7f0100fc;
/** The ad unit ID.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int adUnitId=0x7f0100fd;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int alertDialogButtonGroupStyle=0x7f0100c7;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int alertDialogCenterButtons=0x7f0100c8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int alertDialogStyle=0x7f0100c6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int alertDialogTheme=0x7f0100c9;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int ambientEnabled=0x7f010020;
/** Theme to be used for the Wallet selector
<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>holo_dark</code></td><td>0</td><td></td></tr>
<tr><td><code>holo_light</code></td><td>1</td><td></td></tr>
</table>
*/
public static final int appTheme=0x7f010000;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int arrowHeadLength=0x7f01004c;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int arrowShaftLength=0x7f01004d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int autoCompleteTextViewStyle=0x7f0100ce;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int background=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 final int backgroundSplit=0x7f01002f;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int backgroundStacked=0x7f01002e;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int backgroundTint=0x7f0100ea;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
*/
public static final int backgroundTintMode=0x7f0100eb;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int barLength=0x7f01004e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int borderlessButtonStyle=0x7f0100a2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int buttonBarButtonStyle=0x7f01009f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int buttonBarNegativeButtonStyle=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 final int buttonBarNeutralButtonStyle=0x7f0100cd;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int buttonBarPositiveButtonStyle=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 final int buttonBarStyle=0x7f01009e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int buttonPanelSideLayout=0x7f010040;
/** <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 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>standard</code></td><td>0</td><td></td></tr>
<tr><td><code>wide</code></td><td>1</td><td></td></tr>
<tr><td><code>icon_only</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int buttonSize=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 final int buttonStyle=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 final int buttonStyleSmall=0x7f0100d0;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int buttonTint=0x7f010046;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
*/
public static final int buttonTintMode=0x7f010047;
/** The appearance of the buy button
<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>google_wallet_classic</code></td><td>1</td><td></td></tr>
<tr><td><code>google_wallet_grayscale</code></td><td>2</td><td></td></tr>
<tr><td><code>google_wallet_monochrome</code></td><td>3</td><td></td></tr>
<tr><td><code>android_pay_dark</code></td><td>4</td><td></td></tr>
<tr><td><code>android_pay_light</code></td><td>5</td><td></td></tr>
<tr><td><code>android_pay_light_with_border</code></td><td>6</td><td></td></tr>
<tr><td><code>classic</code></td><td>1</td><td> Deprecated values </td></tr>
<tr><td><code>grayscale</code></td><td>2</td><td></td></tr>
<tr><td><code>monochrome</code></td><td>3</td><td></td></tr>
</table>
*/
public static final int buyButtonAppearance=0x7f010007;
/** Height of the buy button. This includes an 8dp padding (4dp on each side) used for
pressed and focused states of the button. The value can be a specific height, e.g.
"48dp", or special values "match_parent" and "wrap_content".
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></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>match_parent</code></td><td>-1</td><td></td></tr>
<tr><td><code>wrap_content</code></td><td>-2</td><td></td></tr>
</table>
*/
public static final int buyButtonHeight=0x7f010004;
/** The text on the buy button
<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>buy_with</code></td><td>5</td><td></td></tr>
<tr><td><code>logo_only</code></td><td>6</td><td></td></tr>
<tr><td><code>donate_with</code></td><td>7</td><td></td></tr>
<tr><td><code>buy_with_google</code></td><td>1</td><td> Deprecated values </td></tr>
<tr><td><code>buy_now</code></td><td>2</td><td></td></tr>
<tr><td><code>book_now</code></td><td>3</td><td></td></tr>
<tr><td><code>donate_with_google</code></td><td>4</td><td></td></tr>
</table>
*/
public static final int buyButtonText=0x7f010006;
/** Width of the buy button. This includes an 8dp padding (4dp on each side) used for
pressed and focused states of the button. The value can be a specific width, e.g.
"300dp", or special values "match_parent" and "wrap_content".
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></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>match_parent</code></td><td>-1</td><td></td></tr>
<tr><td><code>wrap_content</code></td><td>-2</td><td></td></tr>
</table>
*/
public static final int buyButtonWidth=0x7f010005;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int cameraBearing=0x7f010011;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int cameraTargetLat=0x7f010012;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int cameraTargetLng=0x7f010013;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int cameraTilt=0x7f010014;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int cameraZoom=0x7f010015;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int checkboxStyle=0x7f0100d1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int checkedTextViewStyle=0x7f0100d2;
/**
Whether or not this view should have a circular clip applied
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int circleCrop=0x7f0100fa;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int closeIcon=0x7f01005e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int 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 final int collapseContentDescription=0x7f0100e1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int collapseIcon=0x7f0100e0;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int color=0x7f010048;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorAccent=0x7f0100bf;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorButtonNormal=0x7f0100c3;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorControlActivated=0x7f0100c1;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorControlHighlight=0x7f0100c2;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorControlNormal=0x7f0100c0;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorPrimary=0x7f0100bd;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorPrimaryDark=0x7f0100be;
/** <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 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>dark</code></td><td>0</td><td></td></tr>
<tr><td><code>light</code></td><td>1</td><td></td></tr>
<tr><td><code>auto</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int colorScheme=0x7f0100f6;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int colorSwitchThumbNormal=0x7f0100c4;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int commitIcon=0x7f010063;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int contentInsetEnd=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 final int contentInsetLeft=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 final int contentInsetRight=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 final int contentInsetStart=0x7f010037;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int controlBackground=0x7f0100c5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int customNavigationLayout=0x7f010030;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int defaultQueryHint=0x7f01005d;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int dialogPreferredPadding=0x7f010097;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int dialogTheme=0x7f010096;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>useLogo</code></td><td>0x1</td><td></td></tr>
<tr><td><code>showHome</code></td><td>0x2</td><td></td></tr>
<tr><td><code>homeAsUp</code></td><td>0x4</td><td></td></tr>
<tr><td><code>showTitle</code></td><td>0x8</td><td></td></tr>
<tr><td><code>showCustom</code></td><td>0x10</td><td></td></tr>
<tr><td><code>disableHome</code></td><td>0x20</td><td></td></tr>
</table>
*/
public static final int displayOptions=0x7f010026;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int divider=0x7f01002c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int dividerHorizontal=0x7f0100a4;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int dividerPadding=0x7f010052;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int dividerVertical=0x7f0100a3;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int drawableSize=0x7f01004a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int drawerArrowStyle=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 final int dropDownListViewStyle=0x7f0100b5;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int dropdownListPreferredItemHeight=0x7f01009a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int editTextBackground=0x7f0100ab;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int editTextColor=0x7f0100aa;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int editTextStyle=0x7f0100d3;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int elevation=0x7f01003b;
/** Google Wallet environment to use
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>production</code></td><td>1</td><td></td></tr>
<tr><td><code>test</code></td><td>3</td><td></td></tr>
<tr><td><code>sandbox</code></td><td>0</td><td></td></tr>
<tr><td><code>strict_sandbox</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int environment=0x7f010001;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int expandActivityOverflowButtonDrawable=0x7f01003f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int externalRouteEnabledDrawable=0x7f0100f4;
/** Fragment mode
<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>buyButton</code></td><td>1</td><td></td></tr>
<tr><td><code>selectionDetails</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int fragmentMode=0x7f010003;
/** A style resource specifing attributes to customize the look and feel of WalletFragment
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int fragmentStyle=0x7f010002;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int gapBetweenBars=0x7f01004b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int goIcon=0x7f01005f;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int height=0x7f010022;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int hideOnContentScroll=0x7f010036;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int homeAsUpIndicator=0x7f01009c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int homeLayout=0x7f010031;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int icon=0x7f01002a;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int iconifiedByDefault=0x7f01005b;
/**
The fixed aspect ratio to use in aspect ratio adjustments.
<p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int imageAspectRatio=0x7f0100f9;
/**
What kind of aspect ratio adjustment to do. It must be one of "none", "adjust_width",
or "adjust_height".
<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>adjust_width</code></td><td>1</td><td></td></tr>
<tr><td><code>adjust_height</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int imageAspectRatioAdjust=0x7f0100f8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int indeterminateProgressStyle=0x7f010033;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int initialActivityCount=0x7f01003e;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int isLightTheme=0x7f010023;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int itemPadding=0x7f010035;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int layout=0x7f01005a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int listChoiceBackgroundIndicator=0x7f0100bc;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int listDividerAlertDialog=0x7f010098;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int 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 final 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 final int listPopupWindowStyle=0x7f0100b6;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int listPreferredItemHeight=0x7f0100b0;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int listPreferredItemHeightLarge=0x7f0100b2;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int listPreferredItemHeightSmall=0x7f0100b1;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int listPreferredItemPaddingLeft=0x7f0100b3;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int listPreferredItemPaddingRight=0x7f0100b4;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int liteMode=0x7f010016;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int logo=0x7f01002b;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int logoDescription=0x7f0100e4;
/** <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>normal</code></td><td>1</td><td></td></tr>
<tr><td><code>satellite</code></td><td>2</td><td></td></tr>
<tr><td><code>terrain</code></td><td>3</td><td></td></tr>
<tr><td><code>hybrid</code></td><td>4</td><td></td></tr>
</table>
*/
public static final int mapType=0x7f010010;
/** Masked wallet details background
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int maskedWalletDetailsBackground=0x7f01000a;
/** "Change" button background in masked wallet details view
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int maskedWalletDetailsButtonBackground=0x7f01000c;
/** TextAppearance for the "Change" button in masked wallet details view
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int maskedWalletDetailsButtonTextAppearance=0x7f01000b;
/** TextAppearance for headers describing masked wallet details
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int maskedWalletDetailsHeaderTextAppearance=0x7f010009;
/** Type of the wallet logo image in masked wallet details view
<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>google_wallet_classic</code></td><td>1</td><td></td></tr>
<tr><td><code>google_wallet_monochrome</code></td><td>2</td><td></td></tr>
<tr><td><code>android_pay</code></td><td>3</td><td></td></tr>
<tr><td><code>classic</code></td><td>1</td><td> Deprecated values </td></tr>
<tr><td><code>monochrome</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int maskedWalletDetailsLogoImageType=0x7f01000e;
/** Color of the Google Wallet logo text in masked wallet details view
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int maskedWalletDetailsLogoTextColor=0x7f01000d;
/** TextAppearance for masked wallet details
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int maskedWalletDetailsTextAppearance=0x7f010008;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int maxButtonHeight=0x7f0100df;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int measureWithLargestChild=0x7f010050;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRouteButtonStyle=0x7f0100ec;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRouteCastDrawable=0x7f0100ed;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRouteConnectingDrawable=0x7f0100ee;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRouteOffDrawable=0x7f0100ef;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRouteOnDrawable=0x7f0100f0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRoutePauseDrawable=0x7f0100f1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRoutePlayDrawable=0x7f0100f2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int mediaRouteSettingsDrawable=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 final 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 final int navigationContentDescription=0x7f0100e3;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int navigationIcon=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>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>listMode</code></td><td>1</td><td></td></tr>
<tr><td><code>tabMode</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int navigationMode=0x7f010025;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int overlapAnchor=0x7f010058;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int paddingEnd=0x7f0100e8;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int paddingStart=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 final int panelBackground=0x7f0100b9;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int panelMenuListTheme=0x7f0100bb;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int panelMenuListWidth=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 final int popupMenuStyle=0x7f0100a8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int popupTheme=0x7f01003c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int popupWindowStyle=0x7f0100a9;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int preserveIconSpacing=0x7f010057;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int progressBarPadding=0x7f010034;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int progressBarStyle=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 final int queryBackground=0x7f010065;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int queryHint=0x7f01005c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int radioButtonStyle=0x7f0100d4;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int ratingBarStyle=0x7f0100d5;
/** <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 string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
*/
public static final int scopeUris=0x7f0100f7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int searchHintIcon=0x7f010061;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int searchIcon=0x7f010060;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int searchViewStyle=0x7f0100af;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int selectableItemBackground=0x7f0100a0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int selectableItemBackgroundBorderless=0x7f0100a1;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>never</code></td><td>0</td><td></td></tr>
<tr><td><code>ifRoom</code></td><td>1</td><td></td></tr>
<tr><td><code>always</code></td><td>2</td><td></td></tr>
<tr><td><code>withText</code></td><td>4</td><td></td></tr>
<tr><td><code>collapseActionView</code></td><td>8</td><td></td></tr>
</table>
*/
public static final int showAsAction=0x7f010053;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>beginning</code></td><td>1</td><td></td></tr>
<tr><td><code>middle</code></td><td>2</td><td></td></tr>
<tr><td><code>end</code></td><td>4</td><td></td></tr>
</table>
*/
public static final int showDividers=0x7f010051;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int showText=0x7f01006d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int singleChoiceItemLayout=0x7f010043;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int spinBars=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 final int spinnerDropDownItemStyle=0x7f01009b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int spinnerStyle=0x7f0100d6;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int splitTrack=0x7f01006c;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int state_above_anchor=0x7f010059;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int submitBackground=0x7f010066;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int subtitle=0x7f010027;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int subtitleTextAppearance=0x7f0100d9;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int subtitleTextColor=0x7f0100e6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int subtitleTextStyle=0x7f010029;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int suggestionRowLayout=0x7f010064;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int switchMinWidth=0x7f01006a;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int switchPadding=0x7f01006b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int switchStyle=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 final int switchTextAppearance=0x7f010069;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a boolean value, either "<code>true</code>" or "<code>false</code>".
*/
public static final int textAllCaps=0x7f010045;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int textAppearanceLargePopupMenu=0x7f010094;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int textAppearanceListItem=0x7f0100b7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int textAppearanceListItemSmall=0x7f0100b8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int textAppearanceSearchResultSubtitle=0x7f0100ad;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int textAppearanceSearchResultTitle=0x7f0100ac;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int textAppearanceSmallPopupMenu=0x7f010095;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int textColorAlertDialogListItem=0x7f0100ca;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static final int textColorSearchUrl=0x7f0100ae;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int theme=0x7f0100e9;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int thickness=0x7f01004f;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int thumbTextPadding=0x7f010068;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int title=0x7f010024;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int titleMarginBottom=0x7f0100de;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int titleMarginEnd=0x7f0100dc;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int titleMarginStart=0x7f0100db;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int titleMarginTop=0x7f0100dd;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int titleMargins=0x7f0100da;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int titleTextAppearance=0x7f0100d8;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int titleTextColor=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 final int titleTextStyle=0x7f010028;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int toolbarNavigationButtonStyle=0x7f0100a7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int toolbarStyle=0x7f0100a6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int track=0x7f010067;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int uiCompass=0x7f010017;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int uiMapToolbar=0x7f01001f;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int uiRotateGestures=0x7f010018;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int uiScrollGestures=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 final int uiTiltGestures=0x7f01001a;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int uiZoomControls=0x7f01001b;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int uiZoomGestures=0x7f01001c;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int useViewLifecycle=0x7f01001d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static final int voiceIcon=0x7f010062;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowActionBar=0x7f01006e;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowActionBarOverlay=0x7f010070;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowActionModeOverlay=0x7f010071;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowFixedHeightMajor=0x7f010075;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowFixedHeightMinor=0x7f010073;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowFixedWidthMajor=0x7f010072;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowFixedWidthMinor=0x7f010074;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowMinWidthMajor=0x7f010076;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowMinWidthMinor=0x7f010077;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int windowNoTitle=0x7f01006f;
/** Defines the set of transition to be used between activities
<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>slide</code></td><td>1</td><td></td></tr>
<tr><td><code>none</code></td><td>2</td><td></td></tr>
</table>
*/
public static final int windowTransitionStyle=0x7f01000f;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static final int zOrderOnTop=0x7f01001e;
}
public static final class bool {
public static final int abc_action_bar_embed_tabs=0x7f0a0002;
public static final int abc_action_bar_embed_tabs_pre_jb=0x7f0a0000;
public static final int abc_action_bar_expanded_action_views_exclusive=0x7f0a0003;
public static final int abc_config_actionMenuItemAllCaps=0x7f0a0004;
public static final int abc_config_allowActionMenuItemTextWithIcon=0x7f0a0001;
public static final int abc_config_closeDialogWhenTouchOutside=0x7f0a0005;
public static final int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f0a0006;
}
public static final class color {
public static final int abc_background_cache_hint_selector_material_dark=0x7f06005e;
public static final int abc_background_cache_hint_selector_material_light=0x7f06005f;
public static final int abc_color_highlight_material=0x7f060060;
public static final int abc_input_method_navigation_guard=0x7f060013;
public static final int abc_primary_text_disable_only_material_dark=0x7f060061;
public static final int abc_primary_text_disable_only_material_light=0x7f060062;
public static final int abc_primary_text_material_dark=0x7f060063;
public static final int abc_primary_text_material_light=0x7f060064;
public static final int abc_search_url_text=0x7f060065;
public static final int abc_search_url_text_normal=0x7f060014;
public static final int abc_search_url_text_pressed=0x7f060015;
public static final int abc_search_url_text_selected=0x7f060016;
public static final int abc_secondary_text_material_dark=0x7f060066;
public static final int abc_secondary_text_material_light=0x7f060067;
public static final int accent_material_dark=0x7f060017;
public static final int accent_material_light=0x7f060018;
public static final int background_floating_material_dark=0x7f060019;
public static final int background_floating_material_light=0x7f06001a;
public static final int background_material_dark=0x7f06001b;
public static final int background_material_light=0x7f06001c;
public static final int bright_foreground_disabled_material_dark=0x7f06001d;
public static final int bright_foreground_disabled_material_light=0x7f06001e;
public static final int bright_foreground_inverse_material_dark=0x7f06001f;
public static final int bright_foreground_inverse_material_light=0x7f060020;
public static final int bright_foreground_material_dark=0x7f060021;
public static final int bright_foreground_material_light=0x7f060022;
public static final int button_material_dark=0x7f060023;
public static final int button_material_light=0x7f060024;
public static final int common_action_bar_splitter=0x7f060055;
public static final int common_google_signin_btn_text_dark=0x7f060068;
/** Google Sign-in Button Colors
*/
public static final int common_google_signin_btn_text_dark_default=0x7f060056;
public static final int common_google_signin_btn_text_dark_disabled=0x7f060058;
public static final int common_google_signin_btn_text_dark_focused=0x7f060059;
public static final int common_google_signin_btn_text_dark_pressed=0x7f060057;
public static final int common_google_signin_btn_text_light=0x7f060069;
public static final int common_google_signin_btn_text_light_default=0x7f06005a;
public static final int common_google_signin_btn_text_light_disabled=0x7f06005c;
public static final int common_google_signin_btn_text_light_focused=0x7f06005d;
public static final int common_google_signin_btn_text_light_pressed=0x7f06005b;
public static final int common_plus_signin_btn_text_dark=0x7f06006a;
/** Google Plus Sign-in Button Colors
*/
public static final int common_plus_signin_btn_text_dark_default=0x7f06004d;
public static final int common_plus_signin_btn_text_dark_disabled=0x7f06004f;
public static final int common_plus_signin_btn_text_dark_focused=0x7f060050;
public static final int common_plus_signin_btn_text_dark_pressed=0x7f06004e;
public static final int common_plus_signin_btn_text_light=0x7f06006b;
public static final int common_plus_signin_btn_text_light_default=0x7f060051;
public static final int common_plus_signin_btn_text_light_disabled=0x7f060053;
public static final int common_plus_signin_btn_text_light_focused=0x7f060054;
public static final int common_plus_signin_btn_text_light_pressed=0x7f060052;
public static final int dim_foreground_disabled_material_dark=0x7f060025;
public static final int dim_foreground_disabled_material_light=0x7f060026;
public static final int dim_foreground_material_dark=0x7f060027;
public static final int dim_foreground_material_light=0x7f060028;
public static final int foreground_material_dark=0x7f060029;
public static final int foreground_material_light=0x7f06002a;
public static final int highlighted_text_material_dark=0x7f06002b;
public static final int highlighted_text_material_light=0x7f06002c;
public static final int hint_foreground_material_dark=0x7f06002d;
public static final int hint_foreground_material_light=0x7f06002e;
public static final int material_blue_grey_800=0x7f06002f;
public static final int material_blue_grey_900=0x7f060030;
public static final int material_blue_grey_950=0x7f060031;
public static final int material_deep_teal_200=0x7f060032;
public static final int material_deep_teal_500=0x7f060033;
public static final int material_grey_100=0x7f060034;
public static final int material_grey_300=0x7f060035;
public static final int material_grey_50=0x7f060036;
public static final int material_grey_600=0x7f060037;
public static final int material_grey_800=0x7f060038;
public static final int material_grey_850=0x7f060039;
public static final int material_grey_900=0x7f06003a;
public static final int place_autocomplete_prediction_primary_text=0x7f06000f;
public static final int place_autocomplete_prediction_primary_text_highlight=0x7f060010;
public static final int place_autocomplete_prediction_secondary_text=0x7f060011;
public static final int place_autocomplete_search_hint=0x7f06000e;
public static final int place_autocomplete_search_text=0x7f06000d;
public static final int place_autocomplete_separator=0x7f060012;
public static final int primary_dark_material_dark=0x7f06003b;
public static final int primary_dark_material_light=0x7f06003c;
public static final int primary_material_dark=0x7f06003d;
public static final int primary_material_light=0x7f06003e;
public static final int primary_text_default_material_dark=0x7f06003f;
public static final int primary_text_default_material_light=0x7f060040;
public static final int primary_text_disabled_material_dark=0x7f060041;
public static final int primary_text_disabled_material_light=0x7f060042;
public static final int ripple_material_dark=0x7f060043;
public static final int ripple_material_light=0x7f060044;
public static final int secondary_text_default_material_dark=0x7f060045;
public static final int secondary_text_default_material_light=0x7f060046;
public static final int secondary_text_disabled_material_dark=0x7f060047;
public static final int secondary_text_disabled_material_light=0x7f060048;
public static final int switch_thumb_disabled_material_dark=0x7f060049;
public static final int switch_thumb_disabled_material_light=0x7f06004a;
public static final int switch_thumb_material_dark=0x7f06006c;
public static final int switch_thumb_material_light=0x7f06006d;
public static final int switch_thumb_normal_material_dark=0x7f06004b;
public static final int switch_thumb_normal_material_light=0x7f06004c;
public static final int wallet_bright_foreground_disabled_holo_light=0x7f060005;
/**
Wallet colors to support consistent Wallet fragment holo dark UI in client application
regardless of the theme and device type
*/
public static final int wallet_bright_foreground_holo_dark=0x7f060000;
public static final int wallet_bright_foreground_holo_light=0x7f060006;
public static final int wallet_dim_foreground_disabled_holo_dark=0x7f060002;
public static final int wallet_dim_foreground_holo_dark=0x7f060001;
public static final int wallet_dim_foreground_inverse_disabled_holo_dark=0x7f060004;
public static final int wallet_dim_foreground_inverse_holo_dark=0x7f060003;
public static final int wallet_highlighted_text_holo_dark=0x7f06000a;
public static final int wallet_highlighted_text_holo_light=0x7f060009;
public static final int wallet_hint_foreground_holo_dark=0x7f060008;
public static final int wallet_hint_foreground_holo_light=0x7f060007;
public static final int wallet_holo_blue_light=0x7f06000b;
public static final int wallet_link_text_light=0x7f06000c;
public static final int wallet_primary_text_holo_light=0x7f06006e;
public static final int wallet_secondary_text_holo_dark=0x7f06006f;
}
public static final class dimen {
public static final int abc_action_bar_content_inset_material=0x7f090015;
public static final int abc_action_bar_default_height_material=0x7f09000b;
public static final int abc_action_bar_default_padding_end_material=0x7f090016;
public static final int abc_action_bar_default_padding_start_material=0x7f090017;
public static final int abc_action_bar_icon_vertical_padding_material=0x7f090019;
public static final int abc_action_bar_overflow_padding_end_material=0x7f09001a;
public static final int abc_action_bar_overflow_padding_start_material=0x7f09001b;
public static final int abc_action_bar_progress_bar_size=0x7f09000c;
public static final int abc_action_bar_stacked_max_height=0x7f09001c;
public static final int abc_action_bar_stacked_tab_max_width=0x7f09001d;
public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f09001e;
public static final int abc_action_bar_subtitle_top_margin_material=0x7f09001f;
public static final int abc_action_button_min_height_material=0x7f090020;
public static final int abc_action_button_min_width_material=0x7f090021;
public static final int abc_action_button_min_width_overflow_material=0x7f090022;
public static final int abc_alert_dialog_button_bar_height=0x7f09000a;
public static final int abc_button_inset_horizontal_material=0x7f090023;
public static final int abc_button_inset_vertical_material=0x7f090024;
public static final int abc_button_padding_horizontal_material=0x7f090025;
public static final int abc_button_padding_vertical_material=0x7f090026;
public static final int abc_config_prefDialogWidth=0x7f09000f;
public static final int abc_control_corner_material=0x7f090027;
public static final int abc_control_inset_material=0x7f090028;
public static final int abc_control_padding_material=0x7f090029;
public static final int abc_dialog_list_padding_vertical_material=0x7f09002a;
public static final int abc_dialog_min_width_major=0x7f09002b;
public static final int abc_dialog_min_width_minor=0x7f09002c;
public static final int abc_dialog_padding_material=0x7f09002d;
public static final int abc_dialog_padding_top_material=0x7f09002e;
public static final int abc_disabled_alpha_material_dark=0x7f09002f;
public static final int abc_disabled_alpha_material_light=0x7f090030;
public static final int abc_dropdownitem_icon_width=0x7f090031;
public static final int abc_dropdownitem_text_padding_left=0x7f090032;
public static final int abc_dropdownitem_text_padding_right=0x7f090033;
public static final int abc_edit_text_inset_bottom_material=0x7f090034;
public static final int abc_edit_text_inset_horizontal_material=0x7f090035;
public static final int abc_edit_text_inset_top_material=0x7f090036;
public static final int abc_floating_window_z=0x7f090037;
public static final int abc_list_item_padding_horizontal_material=0x7f090038;
public static final int abc_panel_menu_list_width=0x7f090039;
public static final int abc_search_view_preferred_width=0x7f09003a;
public static final int abc_search_view_text_min_width=0x7f090010;
public static final int abc_switch_padding=0x7f090018;
public static final int abc_text_size_body_1_material=0x7f09003b;
public static final int abc_text_size_body_2_material=0x7f09003c;
public static final int abc_text_size_button_material=0x7f09003d;
public static final int abc_text_size_caption_material=0x7f09003e;
public static final int abc_text_size_display_1_material=0x7f09003f;
public static final int abc_text_size_display_2_material=0x7f090040;
public static final int abc_text_size_display_3_material=0x7f090041;
public static final int abc_text_size_display_4_material=0x7f090042;
public static final int abc_text_size_headline_material=0x7f090043;
public static final int abc_text_size_large_material=0x7f090044;
public static final int abc_text_size_medium_material=0x7f090045;
public static final int abc_text_size_menu_material=0x7f090046;
public static final int abc_text_size_small_material=0x7f090047;
public static final int abc_text_size_subhead_material=0x7f090048;
public static final int abc_text_size_subtitle_material_toolbar=0x7f09000d;
public static final int abc_text_size_title_material=0x7f090049;
public static final int abc_text_size_title_material_toolbar=0x7f09000e;
public static final int dialog_fixed_height_major=0x7f090011;
public static final int dialog_fixed_height_minor=0x7f090012;
public static final int dialog_fixed_width_major=0x7f090013;
public static final int dialog_fixed_width_minor=0x7f090014;
public static final int disabled_alpha_material_dark=0x7f09004a;
public static final int disabled_alpha_material_light=0x7f09004b;
public static final int highlight_alpha_material_colored=0x7f09004c;
public static final int highlight_alpha_material_dark=0x7f09004d;
public static final int highlight_alpha_material_light=0x7f09004e;
public static final int mr_media_route_controller_art_max_height=0x7f090052;
public static final int notification_large_icon_height=0x7f09004f;
public static final int notification_large_icon_width=0x7f090050;
public static final int notification_subtext_size=0x7f090051;
public static final int place_autocomplete_button_padding=0x7f090000;
public static final int place_autocomplete_powered_by_google_height=0x7f090008;
public static final int place_autocomplete_powered_by_google_start=0x7f090009;
public static final int place_autocomplete_prediction_height=0x7f090003;
public static final int place_autocomplete_prediction_horizontal_margin=0x7f090004;
public static final int place_autocomplete_prediction_primary_text=0x7f090005;
public static final int place_autocomplete_prediction_secondary_text=0x7f090006;
public static final int place_autocomplete_progress_horizontal_margin=0x7f090002;
public static final int place_autocomplete_progress_size=0x7f090001;
public static final int place_autocomplete_separator_start=0x7f090007;
}
public static final class drawable {
public static final int abc_ab_share_pack_mtrl_alpha=0x7f020000;
public static final int abc_action_bar_item_background_material=0x7f020001;
public static final int abc_btn_borderless_material=0x7f020002;
public static final int abc_btn_check_material=0x7f020003;
public static final int abc_btn_check_to_on_mtrl_000=0x7f020004;
public static final int abc_btn_check_to_on_mtrl_015=0x7f020005;
public static final int abc_btn_colored_material=0x7f020006;
public static final int abc_btn_default_mtrl_shape=0x7f020007;
public static final int abc_btn_radio_material=0x7f020008;
public static final int abc_btn_radio_to_on_mtrl_000=0x7f020009;
public static final int abc_btn_radio_to_on_mtrl_015=0x7f02000a;
public static final int abc_btn_rating_star_off_mtrl_alpha=0x7f02000b;
public static final int abc_btn_rating_star_on_mtrl_alpha=0x7f02000c;
public static final int abc_btn_switch_to_on_mtrl_00001=0x7f02000d;
public static final int abc_btn_switch_to_on_mtrl_00012=0x7f02000e;
public static final int abc_cab_background_internal_bg=0x7f02000f;
public static final int abc_cab_background_top_material=0x7f020010;
public static final int abc_cab_background_top_mtrl_alpha=0x7f020011;
public static final int abc_control_background_material=0x7f020012;
public static final int abc_dialog_material_background_dark=0x7f020013;
public static final int abc_dialog_material_background_light=0x7f020014;
public static final int abc_edit_text_material=0x7f020015;
public static final int abc_ic_ab_back_mtrl_am_alpha=0x7f020016;
public static final int abc_ic_clear_mtrl_alpha=0x7f020017;
public static final int abc_ic_commit_search_api_mtrl_alpha=0x7f020018;
public static final int abc_ic_go_search_api_mtrl_alpha=0x7f020019;
public static final int abc_ic_menu_copy_mtrl_am_alpha=0x7f02001a;
public static final int abc_ic_menu_cut_mtrl_alpha=0x7f02001b;
public static final int abc_ic_menu_moreoverflow_mtrl_alpha=0x7f02001c;
public static final int abc_ic_menu_paste_mtrl_am_alpha=0x7f02001d;
public static final int abc_ic_menu_selectall_mtrl_alpha=0x7f02001e;
public static final int abc_ic_menu_share_mtrl_alpha=0x7f02001f;
public static final int abc_ic_search_api_mtrl_alpha=0x7f020020;
public static final int abc_ic_voice_search_api_mtrl_alpha=0x7f020021;
public static final int abc_item_background_holo_dark=0x7f020022;
public static final int abc_item_background_holo_light=0x7f020023;
public static final int abc_list_divider_mtrl_alpha=0x7f020024;
public static final int abc_list_focused_holo=0x7f020025;
public static final int abc_list_longpressed_holo=0x7f020026;
public static final int abc_list_pressed_holo_dark=0x7f020027;
public static final int abc_list_pressed_holo_light=0x7f020028;
public static final int abc_list_selector_background_transition_holo_dark=0x7f020029;
public static final int abc_list_selector_background_transition_holo_light=0x7f02002a;
public static final int abc_list_selector_disabled_holo_dark=0x7f02002b;
public static final int abc_list_selector_disabled_holo_light=0x7f02002c;
public static final int abc_list_selector_holo_dark=0x7f02002d;
public static final int abc_list_selector_holo_light=0x7f02002e;
public static final int abc_menu_hardkey_panel_mtrl_mult=0x7f02002f;
public static final int abc_popup_background_mtrl_mult=0x7f020030;
public static final int abc_ratingbar_full_material=0x7f020031;
public static final int abc_spinner_mtrl_am_alpha=0x7f020032;
public static final int abc_spinner_textfield_background_material=0x7f020033;
public static final int abc_switch_thumb_material=0x7f020034;
public static final int abc_switch_track_mtrl_alpha=0x7f020035;
public static final int abc_tab_indicator_material=0x7f020036;
public static final int abc_tab_indicator_mtrl_alpha=0x7f020037;
public static final int abc_text_cursor_material=0x7f020038;
public static final int abc_textfield_activated_mtrl_alpha=0x7f020039;
public static final int abc_textfield_default_mtrl_alpha=0x7f02003a;
public static final int abc_textfield_search_activated_mtrl_alpha=0x7f02003b;
public static final int abc_textfield_search_default_mtrl_alpha=0x7f02003c;
public static final int abc_textfield_search_material=0x7f02003d;
public static final int cast_ic_notification_0=0x7f02003e;
public static final int cast_ic_notification_1=0x7f02003f;
public static final int cast_ic_notification_2=0x7f020040;
public static final int cast_ic_notification_connecting=0x7f020041;
public static final int cast_ic_notification_on=0x7f020042;
public static final int common_full_open_on_phone=0x7f020043;
public static final int common_google_signin_btn_icon_dark=0x7f020044;
public static final int common_google_signin_btn_icon_dark_disabled=0x7f020045;
public static final int common_google_signin_btn_icon_dark_focused=0x7f020046;
public static final int common_google_signin_btn_icon_dark_normal=0x7f020047;
public static final int common_google_signin_btn_icon_dark_pressed=0x7f020048;
public static final int common_google_signin_btn_icon_light=0x7f020049;
public static final int common_google_signin_btn_icon_light_disabled=0x7f02004a;
public static final int common_google_signin_btn_icon_light_focused=0x7f02004b;
public static final int common_google_signin_btn_icon_light_normal=0x7f02004c;
public static final int common_google_signin_btn_icon_light_pressed=0x7f02004d;
public static final int common_google_signin_btn_text_dark=0x7f02004e;
public static final int common_google_signin_btn_text_dark_disabled=0x7f02004f;
public static final int common_google_signin_btn_text_dark_focused=0x7f020050;
public static final int common_google_signin_btn_text_dark_normal=0x7f020051;
public static final int common_google_signin_btn_text_dark_pressed=0x7f020052;
public static final int common_google_signin_btn_text_light=0x7f020053;
public static final int common_google_signin_btn_text_light_disabled=0x7f020054;
public static final int common_google_signin_btn_text_light_focused=0x7f020055;
public static final int common_google_signin_btn_text_light_normal=0x7f020056;
public static final int common_google_signin_btn_text_light_pressed=0x7f020057;
public static final int common_ic_googleplayservices=0x7f020058;
public static final int common_plus_signin_btn_icon_dark=0x7f020059;
public static final int common_plus_signin_btn_icon_dark_disabled=0x7f02005a;
public static final int common_plus_signin_btn_icon_dark_focused=0x7f02005b;
public static final int common_plus_signin_btn_icon_dark_normal=0x7f02005c;
public static final int common_plus_signin_btn_icon_dark_pressed=0x7f02005d;
public static final int common_plus_signin_btn_icon_light=0x7f02005e;
public static final int common_plus_signin_btn_icon_light_disabled=0x7f02005f;
public static final int common_plus_signin_btn_icon_light_focused=0x7f020060;
public static final int common_plus_signin_btn_icon_light_normal=0x7f020061;
public static final int common_plus_signin_btn_icon_light_pressed=0x7f020062;
public static final int common_plus_signin_btn_text_dark=0x7f020063;
public static final int common_plus_signin_btn_text_dark_disabled=0x7f020064;
public static final int common_plus_signin_btn_text_dark_focused=0x7f020065;
public static final int common_plus_signin_btn_text_dark_normal=0x7f020066;
public static final int common_plus_signin_btn_text_dark_pressed=0x7f020067;
public static final int common_plus_signin_btn_text_light=0x7f020068;
public static final int common_plus_signin_btn_text_light_disabled=0x7f020069;
public static final int common_plus_signin_btn_text_light_focused=0x7f02006a;
public static final int common_plus_signin_btn_text_light_normal=0x7f02006b;
public static final int common_plus_signin_btn_text_light_pressed=0x7f02006c;
public static final int ic_cast_dark=0x7f02006d;
public static final int ic_cast_disabled_light=0x7f02006e;
public static final int ic_cast_light=0x7f02006f;
public static final int ic_cast_off_light=0x7f020070;
public static final int ic_cast_on_0_light=0x7f020071;
public static final int ic_cast_on_1_light=0x7f020072;
public static final int ic_cast_on_2_light=0x7f020073;
public static final int ic_cast_on_light=0x7f020074;
public static final int ic_launcher=0x7f020075;
public static final int ic_media_pause=0x7f020076;
public static final int ic_media_play=0x7f020077;
public static final int ic_media_route_disabled_mono_dark=0x7f020078;
public static final int ic_media_route_off_mono_dark=0x7f020079;
public static final int ic_media_route_on_0_mono_dark=0x7f02007a;
public static final int ic_media_route_on_1_mono_dark=0x7f02007b;
public static final int ic_media_route_on_2_mono_dark=0x7f02007c;
public static final int ic_media_route_on_mono_dark=0x7f02007d;
public static final int ic_pause_dark=0x7f02007e;
public static final int ic_pause_light=0x7f02007f;
public static final int ic_play_dark=0x7f020080;
public static final int ic_play_light=0x7f020081;
public static final int ic_plusone_medium_off_client=0x7f020082;
public static final int ic_plusone_small_off_client=0x7f020083;
public static final int ic_plusone_standard_off_client=0x7f020084;
public static final int ic_plusone_tall_off_client=0x7f020085;
public static final int ic_setting_dark=0x7f020086;
public static final int ic_setting_light=0x7f020087;
public static final int mr_ic_cast_dark=0x7f020088;
public static final int mr_ic_cast_light=0x7f020089;
public static final int mr_ic_media_route_connecting_mono_dark=0x7f02008a;
public static final int mr_ic_media_route_connecting_mono_light=0x7f02008b;
public static final int mr_ic_media_route_mono_dark=0x7f02008c;
public static final int mr_ic_media_route_mono_light=0x7f02008d;
public static final int mr_ic_pause_dark=0x7f02008e;
public static final int mr_ic_pause_light=0x7f02008f;
public static final int mr_ic_play_dark=0x7f020090;
public static final int mr_ic_play_light=0x7f020091;
public static final int mr_ic_settings_dark=0x7f020092;
public static final int mr_ic_settings_light=0x7f020093;
public static final int notification_template_icon_bg=0x7f020098;
public static final int places_ic_clear=0x7f020094;
public static final int places_ic_search=0x7f020095;
public static final int powered_by_google_dark=0x7f020096;
public static final int powered_by_google_light=0x7f020097;
}
public static final class id {
public static final int LinearLayout1=0x7f0c0074;
public static final int action0=0x7f0c0084;
public static final int action_bar=0x7f0c0065;
public static final int action_bar_activity_content=0x7f0c0000;
public static final int action_bar_container=0x7f0c0064;
public static final int action_bar_root=0x7f0c0060;
public static final int action_bar_spinner=0x7f0c0001;
public static final int action_bar_subtitle=0x7f0c0049;
public static final int action_bar_title=0x7f0c0048;
public static final int action_context_bar=0x7f0c0066;
public static final int action_divider=0x7f0c0088;
public static final int action_menu_divider=0x7f0c0002;
public static final int action_menu_presenter=0x7f0c0003;
public static final int action_mode_bar=0x7f0c0062;
public static final int action_mode_bar_stub=0x7f0c0061;
public static final int action_mode_close_button=0x7f0c004a;
public static final int activity_chooser_view_content=0x7f0c004b;
public static final int adjust_height=0x7f0c0046;
public static final int adjust_width=0x7f0c0047;
public static final int alertTitle=0x7f0c0055;
public static final int always=0x7f0c003b;
public static final int android_pay=0x7f0c0024;
public static final int android_pay_dark=0x7f0c001b;
public static final int android_pay_light=0x7f0c001c;
public static final int android_pay_light_with_border=0x7f0c001d;
public static final int art=0x7f0c007c;
public static final int auto=0x7f0c0043;
public static final int beginning=0x7f0c0038;
public static final int book_now=0x7f0c0014;
public static final int buttonPanel=0x7f0c005b;
public static final int buttons=0x7f0c0081;
public static final int buyButton=0x7f0c0010;
public static final int buy_now=0x7f0c0015;
public static final int buy_with=0x7f0c0016;
public static final int buy_with_google=0x7f0c0017;
public static final int cancel_action=0x7f0c0085;
public static final int cast_notification_id=0x7f0c0009;
public static final int checkbox=0x7f0c005d;
public static final int chronometer=0x7f0c008b;
public static final int classic=0x7f0c001e;
public static final int collapseActionView=0x7f0c003c;
public static final int contentPanel=0x7f0c0056;
public static final int custom=0x7f0c005a;
public static final int customPanel=0x7f0c0059;
public static final int dark=0x7f0c0044;
public static final int decor_content_parent=0x7f0c0063;
public static final int default_activity_button=0x7f0c004e;
public static final int default_control_frame=0x7f0c007b;
public static final int disableHome=0x7f0c002d;
public static final int disconnect=0x7f0c0082;
public static final int donate_with=0x7f0c0018;
public static final int donate_with_google=0x7f0c0019;
public static final int edit_query=0x7f0c0067;
public static final int end=0x7f0c0039;
public static final int end_padder=0x7f0c0090;
public static final int expand_activities_button=0x7f0c004c;
public static final int expanded_menu=0x7f0c005c;
public static final int google_wallet_classic=0x7f0c001f;
public static final int google_wallet_grayscale=0x7f0c0020;
public static final int google_wallet_monochrome=0x7f0c0021;
public static final int googlemaps=0x7f0c0075;
public static final int grayscale=0x7f0c0022;
public static final int holo_dark=0x7f0c000a;
public static final int holo_light=0x7f0c000b;
public static final int home=0x7f0c0004;
public static final int homeAsUp=0x7f0c002e;
public static final int hybrid=0x7f0c0027;
public static final int icon=0x7f0c0050;
public static final int icon_only=0x7f0c0040;
public static final int ifRoom=0x7f0c003d;
public static final int image=0x7f0c004d;
public static final int info=0x7f0c008f;
public static final int light=0x7f0c0045;
public static final int line1=0x7f0c0089;
public static final int line3=0x7f0c008d;
public static final int listMode=0x7f0c002b;
public static final int list_item=0x7f0c004f;
public static final int logo_only=0x7f0c001a;
public static final int match_parent=0x7f0c0012;
public static final int media_actions=0x7f0c0087;
public static final int media_route_control_frame=0x7f0c007a;
public static final int media_route_list=0x7f0c0076;
public static final int media_route_volume_layout=0x7f0c007f;
public static final int media_route_volume_slider=0x7f0c0080;
public static final int middle=0x7f0c003a;
public static final int monochrome=0x7f0c0023;
public static final int multiply=0x7f0c0033;
public static final int never=0x7f0c003e;
public static final int none=0x7f0c0025;
public static final int normal=0x7f0c0028;
public static final int parentPanel=0x7f0c0052;
public static final int place_autocomplete_clear_button=0x7f0c0093;
public static final int place_autocomplete_powered_by_google=0x7f0c0095;
public static final int place_autocomplete_prediction_primary_text=0x7f0c0097;
public static final int place_autocomplete_prediction_secondary_text=0x7f0c0098;
public static final int place_autocomplete_progress=0x7f0c0096;
public static final int place_autocomplete_search_button=0x7f0c0091;
public static final int place_autocomplete_search_input=0x7f0c0092;
public static final int place_autocomplete_separator=0x7f0c0094;
public static final int play_pause=0x7f0c007d;
public static final int production=0x7f0c000c;
public static final int progress_circular=0x7f0c0005;
public static final int progress_horizontal=0x7f0c0006;
public static final int radio=0x7f0c005f;
public static final int route_name=0x7f0c0078;
public static final int sandbox=0x7f0c000d;
public static final int satellite=0x7f0c0029;
public static final int screen=0x7f0c0034;
public static final int scrollView=0x7f0c0057;
public static final int search_badge=0x7f0c0069;
public static final int search_bar=0x7f0c0068;
public static final int search_button=0x7f0c006a;
public static final int search_close_btn=0x7f0c006f;
public static final int search_edit_frame=0x7f0c006b;
public static final int search_go_btn=0x7f0c0071;
public static final int search_mag_icon=0x7f0c006c;
public static final int search_plate=0x7f0c006d;
public static final int search_src_text=0x7f0c006e;
public static final int search_voice_btn=0x7f0c0072;
public static final int select_dialog_listview=0x7f0c0073;
public static final int selectionDetails=0x7f0c0011;
public static final int settings=0x7f0c0079;
public static final int shortcut=0x7f0c005e;
public static final int showCustom=0x7f0c002f;
public static final int showHome=0x7f0c0030;
public static final int showTitle=0x7f0c0031;
public static final int slide=0x7f0c0026;
public static final int split_action_bar=0x7f0c0007;
public static final int src_atop=0x7f0c0035;
public static final int src_in=0x7f0c0036;
public static final int src_over=0x7f0c0037;
public static final int standard=0x7f0c0041;
public static final int status_bar_latest_event_content=0x7f0c0086;
public static final int stop=0x7f0c0083;
public static final int strict_sandbox=0x7f0c000e;
public static final int submit_area=0x7f0c0070;
public static final int subtitle=0x7f0c007e;
public static final int tabMode=0x7f0c002c;
public static final int terrain=0x7f0c002a;
public static final int test=0x7f0c000f;
public static final int text=0x7f0c008e;
public static final int text2=0x7f0c008c;
public static final int textSpacerNoButtons=0x7f0c0058;
public static final int time=0x7f0c008a;
public static final int title=0x7f0c0051;
public static final int title_bar=0x7f0c0077;
public static final int title_template=0x7f0c0054;
public static final int topPanel=0x7f0c0053;
public static final int up=0x7f0c0008;
public static final int useLogo=0x7f0c0032;
public static final int wide=0x7f0c0042;
public static final int withText=0x7f0c003f;
public static final int wrap_content=0x7f0c0013;
}
public static final class integer {
public static final int abc_config_activityDefaultDur=0x7f0b0001;
public static final int abc_config_activityShortDur=0x7f0b0002;
public static final int abc_max_action_buttons=0x7f0b0000;
public static final int cancel_button_image_alpha=0x7f0b0003;
public static final int google_play_services_version=0x7f0b0005;
public static final int status_bar_notification_info_maxnum=0x7f0b0004;
}
public static final class layout {
public static final int abc_action_bar_title_item=0x7f030000;
public static final int abc_action_bar_up_container=0x7f030001;
public static final int abc_action_bar_view_list_nav_layout=0x7f030002;
public static final int abc_action_menu_item_layout=0x7f030003;
public static final int abc_action_menu_layout=0x7f030004;
public static final int abc_action_mode_bar=0x7f030005;
public static final int abc_action_mode_close_item_material=0x7f030006;
public static final int abc_activity_chooser_view=0x7f030007;
public static final int abc_activity_chooser_view_list_item=0x7f030008;
public static final int abc_alert_dialog_material=0x7f030009;
public static final int abc_dialog_title_material=0x7f03000a;
public static final int abc_expanded_menu_layout=0x7f03000b;
public static final int abc_list_menu_item_checkbox=0x7f03000c;
public static final int abc_list_menu_item_icon=0x7f03000d;
public static final int abc_list_menu_item_layout=0x7f03000e;
public static final int abc_list_menu_item_radio=0x7f03000f;
public static final int abc_popup_menu_item_layout=0x7f030010;
public static final int abc_screen_content_include=0x7f030011;
public static final int abc_screen_simple=0x7f030012;
public static final int abc_screen_simple_overlay_action_mode=0x7f030013;
public static final int abc_screen_toolbar=0x7f030014;
public static final int abc_search_dropdown_item_icons_2line=0x7f030015;
public static final int abc_search_view=0x7f030016;
public static final int abc_select_dialog_material=0x7f030017;
public static final int main=0x7f030018;
public static final int mr_media_route_chooser_dialog=0x7f030019;
public static final int mr_media_route_controller_material_dialog_b=0x7f03001a;
public static final int mr_media_route_list_item=0x7f03001b;
public static final int notification_media_action=0x7f03001c;
public static final int notification_media_cancel_action=0x7f03001d;
public static final int notification_template_big_media=0x7f03001e;
public static final int notification_template_big_media_narrow=0x7f03001f;
public static final int notification_template_lines=0x7f030020;
public static final int notification_template_media=0x7f030021;
public static final int notification_template_part_chronometer=0x7f030022;
public static final int notification_template_part_time=0x7f030023;
public static final int place_autocomplete_fragment=0x7f030024;
public static final int place_autocomplete_item_powered_by_google=0x7f030025;
public static final int place_autocomplete_item_prediction=0x7f030026;
public static final int place_autocomplete_progress=0x7f030027;
public static final int select_dialog_item_material=0x7f030028;
public static final int select_dialog_multichoice_material=0x7f030029;
public static final int select_dialog_singlechoice_material=0x7f03002a;
public static final int support_simple_spinner_dropdown_item=0x7f03002b;
}
public static final class raw {
public static final int gtm_analytics=0x7f050000;
}
public static final class string {
public static final int abc_action_bar_home_description=0x7f070003;
public static final int abc_action_bar_home_description_format=0x7f070004;
public static final int abc_action_bar_home_subtitle_description_format=0x7f070005;
public static final int abc_action_bar_up_description=0x7f070006;
public static final int abc_action_menu_overflow_description=0x7f070007;
public static final int abc_action_mode_done=0x7f070008;
public static final int abc_activity_chooser_view_see_all=0x7f070009;
public static final int abc_activitychooserview_choose_application=0x7f07000a;
public static final int abc_search_hint=0x7f07000b;
public static final int abc_searchview_description_clear=0x7f07000c;
public static final int abc_searchview_description_query=0x7f07000d;
public static final int abc_searchview_description_search=0x7f07000e;
public static final int abc_searchview_description_submit=0x7f07000f;
public static final int abc_searchview_description_voice=0x7f070010;
public static final int abc_shareactionprovider_share_with=0x7f070011;
public static final int abc_shareactionprovider_share_with_application=0x7f070012;
public static final int abc_toolbar_collapse_description=0x7f070013;
public static final int accept=0x7f070044;
public static final int app_name=0x7f070048;
/** Brand name for Facebook [DO NOT TRANSLATE]
*/
public static final int auth_google_play_services_client_facebook_display_name=0x7f070040;
/** Brand name for Google [DO NOT TRANSLATE]
*/
public static final int auth_google_play_services_client_google_display_name=0x7f07003f;
/** Message of the notification to indicate an active cast display connection. [CHAR LIMIT=80] NOTE: Same text as msgid="794424023757290105"
*/
public static final int cast_notification_connected_message=0x7f070021;
/** Message of the notification to indicate the process of connecting to a cast display. [CHAR LIMIT=80] NOTE: Same text as msgid="5435169294190995247"
*/
public static final int cast_notification_connecting_message=0x7f070020;
/** Label of a button to disconnect an active cast display connection. [CHAR LIMIT=25] NOTE: Same text as msgid="9024230238785261495"
*/
public static final int cast_notification_disconnect=0x7f070022;
/** Message in confirmation dialog informing the user that one of the APIs they attepmt to access is not available. [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_api_unavailable_text=0x7f070038;
/** Button in confirmation dialog to enable Google Play services. Clicking it
will direct user to application settings of Google Play services where they
can enable it [CHAR LIMIT=40]
*/
public static final int common_google_play_services_enable_button=0x7f07002a;
/** Message in confirmation dialog informing user they need to enable
Google Play services in application settings [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_enable_text=0x7f070029;
/** Title of confirmation dialog informing user they need to enable
Google Play services in application settings [CHAR LIMIT=40]
*/
public static final int common_google_play_services_enable_title=0x7f070028;
/** Button in confirmation dialog for installing Google Play services [CHAR LIMIT=40]
*/
public static final int common_google_play_services_install_button=0x7f070027;
/** (For phones) Message in confirmation dialog informing user that
they need to install Google Play services (from Play Store) [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_install_text_phone=0x7f070025;
/** (For tablets) Message in confirmation dialog informing user that
they need to install Google Play services (from Play Store) [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_install_text_tablet=0x7f070026;
/** Title of confirmation dialog informing user that they need to install
Google Play services (from Play Store) [CHAR LIMIT=40]
*/
public static final int common_google_play_services_install_title=0x7f070024;
/** Message in confirmation dialog informing the user that they provided an invalid account. [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_invalid_account_text=0x7f070033;
/** Title of confirmation dialog informing the user that they provided an invalid account. [CHAR LIMIT=40]
*/
public static final int common_google_play_services_invalid_account_title=0x7f070032;
/** Message in confirmation dialog informing the user that a network error occurred. [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_network_error_text=0x7f070031;
/** Title of confirmation dialog informing the user that a network error occurred. [CHAR LIMIT=40]
*/
public static final int common_google_play_services_network_error_title=0x7f070030;
/** Title for notification shown when GooglePlayServices is unavailable [CHAR LIMIT=42]
*/
public static final int common_google_play_services_notification_ticker=0x7f070023;
/** Message in confirmation dialog informing the user that their user profile could not use authenticated features. [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_restricted_profile_text=0x7f07003c;
/** Title of confirmation dialog informing the user that their user profile could not use authenticated features. [CHAR LIMIT=40]
*/
public static final int common_google_play_services_restricted_profile_title=0x7f07003b;
/** Message in confirmation dialog informing the user that the account could not be signed in. [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_sign_in_failed_text=0x7f07003a;
/** Title of confirmation dialog informing the user that the account could not be signed in. [CHAR LIMIT=40]
*/
public static final int common_google_play_services_sign_in_failed_title=0x7f070039;
/** Message in confirmation dialog informing user there is an unknown issue in Google Play
services [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_unknown_issue=0x7f070041;
/** Message in confirmation dialog informing user that Google Play services is not supported on their device [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_unsupported_text=0x7f070035;
/** Title of confirmation dialog informing user that Google Play services is not supported on their device [CHAR LIMIT=40]
*/
public static final int common_google_play_services_unsupported_title=0x7f070034;
/** Button in confirmation dialog for updating Google Play services [CHAR LIMIT=40]
*/
public static final int common_google_play_services_update_button=0x7f070036;
/** Message in confirmation dialog informing user that they need to update
Google Play services (from Play Store) [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_update_text=0x7f07002c;
/** Title of confirmation dialog informing user that they need to update
Google Play services (from Play Store) [CHAR LIMIT=40]
*/
public static final int common_google_play_services_update_title=0x7f07002b;
/** Message in confirmation dialog informing user that Google Play services is currently
updating [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_updating_text=0x7f07002f;
/** Title of confirmation dialog informing user that Google Play services is currently
updating [CHAR LIMIT=40]
*/
public static final int common_google_play_services_updating_title=0x7f07002e;
/** Message in confirmation dialog informing user that their wearable devices'
Google Play services is not up-to-date and will be auto updated. [CHAR LIMIT=NONE]
*/
public static final int common_google_play_services_wear_update_text=0x7f07002d;
/** Label for an action to open a notifications content on the phone [CHAR LIMIT=25]
*/
public static final int common_open_on_phone=0x7f070037;
/** Sign-in button text [CHAR LIMIT=15]
*/
public static final int common_signin_button_text=0x7f07003d;
/** Long form sign-in button text [CHAR LIMIT=30]
*/
public static final int common_signin_button_text_long=0x7f07003e;
public static final int create_calendar_message=0x7f070047;
public static final int create_calendar_title=0x7f070046;
public static final int decline=0x7f070045;
public static final int hello_world=0x7f070049;
public static final int mr_media_route_button_content_description=0x7f070015;
public static final int mr_media_route_chooser_searching=0x7f070016;
public static final int mr_media_route_chooser_title=0x7f070017;
public static final int mr_media_route_controller_disconnect=0x7f070018;
public static final int mr_media_route_controller_no_info_available=0x7f070019;
public static final int mr_media_route_controller_pause=0x7f07001a;
public static final int mr_media_route_controller_play=0x7f07001b;
public static final int mr_media_route_controller_settings_description=0x7f07001c;
public static final int mr_media_route_controller_stop=0x7f07001d;
public static final int mr_system_route_name=0x7f07001e;
public static final int mr_user_route_category_name=0x7f07001f;
/** Description of the button that clears the search input when searching for places.
*/
public static final int place_autocomplete_clear_button=0x7f070002;
/** Search box hint text for Place Autocomplete. [CHAR LIMIT=15]
*/
public static final int place_autocomplete_search_hint=0x7f070001;
public static final int status_bar_notification_info_overflow=0x7f070014;
public static final int store_picture_message=0x7f070043;
public static final int store_picture_title=0x7f070042;
/** Text on a placeholder buy button when Google Play services is not
available or up-to-date
Text on a button that allows a user to make a payment with Google Wallet
[CHAR LIMIT=30]
*/
public static final int wallet_buy_button_place_holder=0x7f070000;
}
public static final class style {
public static final int AlertDialog_AppCompat=0x7f08007e;
public static final int AlertDialog_AppCompat_Light=0x7f08007f;
public static final int Animation_AppCompat_Dialog=0x7f080080;
public static final int Animation_AppCompat_DropDownUp=0x7f080081;
public static final int AppTheme=0x7f080139;
public static final int Base_AlertDialog_AppCompat=0x7f080082;
public static final int Base_AlertDialog_AppCompat_Light=0x7f080083;
public static final int Base_Animation_AppCompat_Dialog=0x7f080084;
public static final int Base_Animation_AppCompat_DropDownUp=0x7f080085;
public static final int Base_DialogWindowTitle_AppCompat=0x7f080086;
public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f080087;
public static final int Base_TextAppearance_AppCompat=0x7f080031;
public static final int Base_TextAppearance_AppCompat_Body1=0x7f080032;
public static final int Base_TextAppearance_AppCompat_Body2=0x7f080033;
public static final int Base_TextAppearance_AppCompat_Button=0x7f08001c;
public static final int Base_TextAppearance_AppCompat_Caption=0x7f080034;
public static final int Base_TextAppearance_AppCompat_Display1=0x7f080035;
public static final int Base_TextAppearance_AppCompat_Display2=0x7f080036;
public static final int Base_TextAppearance_AppCompat_Display3=0x7f080037;
public static final int Base_TextAppearance_AppCompat_Display4=0x7f080038;
public static final int Base_TextAppearance_AppCompat_Headline=0x7f080039;
public static final int Base_TextAppearance_AppCompat_Inverse=0x7f080007;
public static final int Base_TextAppearance_AppCompat_Large=0x7f08003a;
public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f080008;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f08003b;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f08003c;
public static final int Base_TextAppearance_AppCompat_Medium=0x7f08003d;
public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f080009;
public static final int Base_TextAppearance_AppCompat_Menu=0x7f08003e;
public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f080088;
public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f08003f;
public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f080040;
public static final int Base_TextAppearance_AppCompat_Small=0x7f080041;
public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f08000a;
public static final int Base_TextAppearance_AppCompat_Subhead=0x7f080042;
public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f08000b;
public static final int Base_TextAppearance_AppCompat_Title=0x7f080043;
public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f08000c;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f080044;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f080045;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f080046;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f080047;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f080048;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f080049;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f08004a;
public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f08004b;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f08007a;
public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f080089;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f08004c;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f08004d;
public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f08004e;
public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f08004f;
public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f08008a;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f080050;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f080051;
public static final int Base_Theme_AppCompat=0x7f080052;
public static final int Base_Theme_AppCompat_CompactMenu=0x7f08008b;
public static final int Base_Theme_AppCompat_Dialog=0x7f08000d;
public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f08008c;
public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f08008d;
public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f08008e;
public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f080005;
public static final int Base_Theme_AppCompat_Light=0x7f080053;
public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f08008f;
public static final int Base_Theme_AppCompat_Light_Dialog=0x7f08000e;
public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f080090;
public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f080091;
public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f080092;
public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f080006;
public static final int Base_ThemeOverlay_AppCompat=0x7f080093;
public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f080094;
public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f080095;
public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f080096;
public static final int Base_ThemeOverlay_AppCompat_Light=0x7f080097;
public static final int Base_V11_Theme_AppCompat_Dialog=0x7f08000f;
public static final int Base_V11_Theme_AppCompat_Light_Dialog=0x7f080010;
public static final int Base_V12_Widget_AppCompat_AutoCompleteTextView=0x7f080018;
public static final int Base_V12_Widget_AppCompat_EditText=0x7f080019;
public static final int Base_V21_Theme_AppCompat=0x7f080054;
public static final int Base_V21_Theme_AppCompat_Dialog=0x7f080055;
public static final int Base_V21_Theme_AppCompat_Light=0x7f080056;
public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f080057;
public static final int Base_V22_Theme_AppCompat=0x7f080078;
public static final int Base_V22_Theme_AppCompat_Light=0x7f080079;
public static final int Base_V23_Theme_AppCompat=0x7f08007b;
public static final int Base_V23_Theme_AppCompat_Light=0x7f08007c;
public static final int Base_V7_Theme_AppCompat=0x7f080098;
public static final int Base_V7_Theme_AppCompat_Dialog=0x7f080099;
public static final int Base_V7_Theme_AppCompat_Light=0x7f08009a;
public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f08009b;
public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f08009c;
public static final int Base_V7_Widget_AppCompat_EditText=0x7f08009d;
public static final int Base_Widget_AppCompat_ActionBar=0x7f08009e;
public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f08009f;
public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0800a0;
public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f080058;
public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f080059;
public static final int Base_Widget_AppCompat_ActionButton=0x7f08005a;
public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f08005b;
public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f08005c;
public static final int Base_Widget_AppCompat_ActionMode=0x7f0800a1;
public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0800a2;
public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f08001a;
public static final int Base_Widget_AppCompat_Button=0x7f08005d;
public static final int Base_Widget_AppCompat_Button_Borderless=0x7f08005e;
public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f08005f;
public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0800a3;
public static final int Base_Widget_AppCompat_Button_Colored=0x7f08007d;
public static final int Base_Widget_AppCompat_Button_Small=0x7f080060;
public static final int Base_Widget_AppCompat_ButtonBar=0x7f080061;
public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0800a4;
public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f080062;
public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f080063;
public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0800a5;
public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f080004;
public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0800a6;
public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f080064;
public static final int Base_Widget_AppCompat_EditText=0x7f08001b;
public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0800a7;
public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0800a8;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0800a9;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f080065;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f080066;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f080067;
public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f080068;
public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f080069;
public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f08006a;
public static final int Base_Widget_AppCompat_ListView=0x7f08006b;
public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f08006c;
public static final int Base_Widget_AppCompat_ListView_Menu=0x7f08006d;
public static final int Base_Widget_AppCompat_PopupMenu=0x7f08006e;
public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f08006f;
public static final int Base_Widget_AppCompat_PopupWindow=0x7f0800aa;
public static final int Base_Widget_AppCompat_ProgressBar=0x7f080011;
public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f080012;
public static final int Base_Widget_AppCompat_RatingBar=0x7f080070;
public static final int Base_Widget_AppCompat_SearchView=0x7f0800ab;
public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0800ac;
public static final int Base_Widget_AppCompat_Spinner=0x7f080071;
public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f080072;
public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f080073;
public static final int Base_Widget_AppCompat_Toolbar=0x7f0800ad;
public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f080074;
public static final int Platform_AppCompat=0x7f080013;
public static final int Platform_AppCompat_Light=0x7f080014;
public static final int Platform_ThemeOverlay_AppCompat=0x7f080075;
public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f080076;
public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f080077;
public static final int Platform_V11_AppCompat=0x7f080015;
public static final int Platform_V11_AppCompat_Light=0x7f080016;
public static final int Platform_V14_AppCompat=0x7f08001d;
public static final int Platform_V14_AppCompat_Light=0x7f08001e;
public static final int Platform_Widget_AppCompat_Spinner=0x7f080017;
public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f080024;
public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f080025;
public static final int RtlOverlay_Widget_AppCompat_ActionButton_Overflow=0x7f080026;
public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f080027;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f080028;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f080029;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f08002a;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f08002b;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f08002c;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f08002d;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f08002e;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f08002f;
public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f080030;
public static final int TextAppearance_AppCompat=0x7f0800ae;
public static final int TextAppearance_AppCompat_Body1=0x7f0800af;
public static final int TextAppearance_AppCompat_Body2=0x7f0800b0;
public static final int TextAppearance_AppCompat_Button=0x7f0800b1;
public static final int TextAppearance_AppCompat_Caption=0x7f0800b2;
public static final int TextAppearance_AppCompat_Display1=0x7f0800b3;
public static final int TextAppearance_AppCompat_Display2=0x7f0800b4;
public static final int TextAppearance_AppCompat_Display3=0x7f0800b5;
public static final int TextAppearance_AppCompat_Display4=0x7f0800b6;
public static final int TextAppearance_AppCompat_Headline=0x7f0800b7;
public static final int TextAppearance_AppCompat_Inverse=0x7f0800b8;
public static final int TextAppearance_AppCompat_Large=0x7f0800b9;
public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0800ba;
public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0800bb;
public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0800bc;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0800bd;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0800be;
public static final int TextAppearance_AppCompat_Medium=0x7f0800bf;
public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0800c0;
public static final int TextAppearance_AppCompat_Menu=0x7f0800c1;
public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0800c2;
public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0800c3;
public static final int TextAppearance_AppCompat_Small=0x7f0800c4;
public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0800c5;
public static final int TextAppearance_AppCompat_Subhead=0x7f0800c6;
public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0800c7;
public static final int TextAppearance_AppCompat_Title=0x7f0800c8;
public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0800c9;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0800ca;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0800cb;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0800cc;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0800cd;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0800ce;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0800cf;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0800d0;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0800d1;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0800d2;
public static final int TextAppearance_AppCompat_Widget_Button=0x7f0800d3;
public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0800d4;
public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0800d5;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0800d6;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0800d7;
public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0800d8;
public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0800d9;
public static final int TextAppearance_StatusBar_EventContent=0x7f08001f;
public static final int TextAppearance_StatusBar_EventContent_Info=0x7f080020;
public static final int TextAppearance_StatusBar_EventContent_Line2=0x7f080021;
public static final int TextAppearance_StatusBar_EventContent_Time=0x7f080022;
public static final int TextAppearance_StatusBar_EventContent_Title=0x7f080023;
public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0800da;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0800db;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0800dc;
public static final int Theme_AppCompat=0x7f0800dd;
public static final int Theme_AppCompat_CompactMenu=0x7f0800de;
public static final int Theme_AppCompat_Dialog=0x7f0800df;
public static final int Theme_AppCompat_Dialog_Alert=0x7f0800e0;
public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0800e1;
public static final int Theme_AppCompat_DialogWhenLarge=0x7f0800e2;
public static final int Theme_AppCompat_Light=0x7f0800e3;
public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0800e4;
public static final int Theme_AppCompat_Light_Dialog=0x7f0800e5;
public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0800e6;
public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0800e7;
public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0800e8;
public static final int Theme_AppCompat_Light_NoActionBar=0x7f0800e9;
public static final int Theme_AppCompat_NoActionBar=0x7f0800ea;
/** Preview application theme.
*/
public static final int Theme_AppInvite_Preview=0x7f080137;
/** Base preview application theme.
Base preview application theme.
Base preview application theme.
*/
public static final int Theme_AppInvite_Preview_Base=0x7f080136;
public static final int Theme_IAPTheme=0x7f080138;
public static final int Theme_MediaRouter=0x7f080132;
public static final int Theme_MediaRouter_Light=0x7f080133;
public static final int ThemeOverlay_AppCompat=0x7f0800eb;
public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0800ec;
public static final int ThemeOverlay_AppCompat_Dark=0x7f0800ed;
public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0800ee;
public static final int ThemeOverlay_AppCompat_Light=0x7f0800ef;
public static final int WalletFragmentDefaultButtonTextAppearance=0x7f080002;
public static final int WalletFragmentDefaultDetailsHeaderTextAppearance=0x7f080001;
public static final int WalletFragmentDefaultDetailsTextAppearance=0x7f080000;
/**
Default style of the wallet fragment that will be used if not set explicitly
when fragment is created
*/
public static final int WalletFragmentDefaultStyle=0x7f080003;
public static final int Widget_AppCompat_ActionBar=0x7f0800f0;
public static final int Widget_AppCompat_ActionBar_Solid=0x7f0800f1;
public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0800f2;
public static final int Widget_AppCompat_ActionBar_TabText=0x7f0800f3;
public static final int Widget_AppCompat_ActionBar_TabView=0x7f0800f4;
public static final int Widget_AppCompat_ActionButton=0x7f0800f5;
public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0800f6;
public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0800f7;
public static final int Widget_AppCompat_ActionMode=0x7f0800f8;
public static final int Widget_AppCompat_ActivityChooserView=0x7f0800f9;
public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0800fa;
public static final int Widget_AppCompat_Button=0x7f0800fb;
public static final int Widget_AppCompat_Button_Borderless=0x7f0800fc;
public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f0800fd;
public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0800fe;
public static final int Widget_AppCompat_Button_Colored=0x7f0800ff;
public static final int Widget_AppCompat_Button_Small=0x7f080100;
public static final int Widget_AppCompat_ButtonBar=0x7f080101;
public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f080102;
public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f080103;
public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f080104;
public static final int Widget_AppCompat_CompoundButton_Switch=0x7f080105;
public static final int Widget_AppCompat_DrawerArrowToggle=0x7f080106;
public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f080107;
public static final int Widget_AppCompat_EditText=0x7f080108;
public static final int Widget_AppCompat_Light_ActionBar=0x7f080109;
public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f08010a;
public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f08010b;
public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f08010c;
public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f08010d;
public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f08010e;
public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f08010f;
public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f080110;
public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f080111;
public static final int Widget_AppCompat_Light_ActionButton=0x7f080112;
public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f080113;
public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f080114;
public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f080115;
public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f080116;
public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f080117;
public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f080118;
public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f080119;
public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f08011a;
public static final int Widget_AppCompat_Light_PopupMenu=0x7f08011b;
public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f08011c;
public static final int Widget_AppCompat_Light_SearchView=0x7f08011d;
public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f08011e;
public static final int Widget_AppCompat_ListPopupWindow=0x7f08011f;
public static final int Widget_AppCompat_ListView=0x7f080120;
public static final int Widget_AppCompat_ListView_DropDown=0x7f080121;
public static final int Widget_AppCompat_ListView_Menu=0x7f080122;
public static final int Widget_AppCompat_PopupMenu=0x7f080123;
public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f080124;
public static final int Widget_AppCompat_PopupWindow=0x7f080125;
public static final int Widget_AppCompat_ProgressBar=0x7f080126;
public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f080127;
public static final int Widget_AppCompat_RatingBar=0x7f080128;
public static final int Widget_AppCompat_SearchView=0x7f080129;
public static final int Widget_AppCompat_SearchView_ActionBar=0x7f08012a;
public static final int Widget_AppCompat_Spinner=0x7f08012b;
public static final int Widget_AppCompat_Spinner_DropDown=0x7f08012c;
public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f08012d;
public static final int Widget_AppCompat_Spinner_Underlined=0x7f08012e;
public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f08012f;
public static final int Widget_AppCompat_Toolbar=0x7f080130;
public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f080131;
public static final int Widget_MediaRouter_Light_MediaRouteButton=0x7f080134;
public static final int Widget_MediaRouter_MediaRouteButton=0x7f080135;
}
public static final class styleable {
/** Attributes that can be used with a ActionBar.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionBar_background com.mymaps:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundSplit com.mymaps:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundStacked com.mymaps:backgroundStacked}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetEnd com.mymaps:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetLeft com.mymaps:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetRight com.mymaps:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetStart com.mymaps:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_customNavigationLayout com.mymaps:customNavigationLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_displayOptions com.mymaps:displayOptions}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_divider com.mymaps:divider}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_elevation com.mymaps:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_height com.mymaps:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_hideOnContentScroll com.mymaps:hideOnContentScroll}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeAsUpIndicator com.mymaps:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeLayout com.mymaps:homeLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_icon com.mymaps:icon}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_indeterminateProgressStyle com.mymaps:indeterminateProgressStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_itemPadding com.mymaps:itemPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_logo com.mymaps:logo}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_navigationMode com.mymaps:navigationMode}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_popupTheme com.mymaps:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarPadding com.mymaps:progressBarPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarStyle com.mymaps:progressBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitle com.mymaps:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitleTextStyle com.mymaps:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_title com.mymaps:title}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_titleTextStyle com.mymaps:titleTextStyle}</code></td><td></td></tr>
</table>
@see #ActionBar_background
@see #ActionBar_backgroundSplit
@see #ActionBar_backgroundStacked
@see #ActionBar_contentInsetEnd
@see #ActionBar_contentInsetLeft
@see #ActionBar_contentInsetRight
@see #ActionBar_contentInsetStart
@see #ActionBar_customNavigationLayout
@see #ActionBar_displayOptions
@see #ActionBar_divider
@see #ActionBar_elevation
@see #ActionBar_height
@see #ActionBar_hideOnContentScroll
@see #ActionBar_homeAsUpIndicator
@see #ActionBar_homeLayout
@see #ActionBar_icon
@see #ActionBar_indeterminateProgressStyle
@see #ActionBar_itemPadding
@see #ActionBar_logo
@see #ActionBar_navigationMode
@see #ActionBar_popupTheme
@see #ActionBar_progressBarPadding
@see #ActionBar_progressBarStyle
@see #ActionBar_subtitle
@see #ActionBar_subtitleTextStyle
@see #ActionBar_title
@see #ActionBar_titleTextStyle
*/
public static final int[] ActionBar = {
0x7f010022, 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, 0x7f01009c
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#background}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:background
*/
public static final int ActionBar_background = 10;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#backgroundSplit}
attribute's value can be found in the {@link #ActionBar} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:backgroundSplit
*/
public static final int ActionBar_backgroundSplit = 12;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#backgroundStacked}
attribute's value can be found in the {@link #ActionBar} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:backgroundStacked
*/
public static final int ActionBar_backgroundStacked = 11;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetEnd}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetEnd
*/
public static final int ActionBar_contentInsetEnd = 21;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetLeft}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetLeft
*/
public static final int ActionBar_contentInsetLeft = 22;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetRight}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetRight
*/
public static final int ActionBar_contentInsetRight = 23;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetStart}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetStart
*/
public static final int ActionBar_contentInsetStart = 20;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#customNavigationLayout}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:customNavigationLayout
*/
public static final int ActionBar_customNavigationLayout = 13;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#displayOptions}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>useLogo</code></td><td>0x1</td><td></td></tr>
<tr><td><code>showHome</code></td><td>0x2</td><td></td></tr>
<tr><td><code>homeAsUp</code></td><td>0x4</td><td></td></tr>
<tr><td><code>showTitle</code></td><td>0x8</td><td></td></tr>
<tr><td><code>showCustom</code></td><td>0x10</td><td></td></tr>
<tr><td><code>disableHome</code></td><td>0x20</td><td></td></tr>
</table>
@attr name com.mymaps:displayOptions
*/
public static final int ActionBar_displayOptions = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#divider}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:divider
*/
public static final int ActionBar_divider = 9;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#elevation}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:elevation
*/
public static final int ActionBar_elevation = 24;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#height}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:height
*/
public static final int ActionBar_height = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#hideOnContentScroll}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:hideOnContentScroll
*/
public static final int ActionBar_hideOnContentScroll = 19;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#homeAsUpIndicator}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:homeAsUpIndicator
*/
public static final int ActionBar_homeAsUpIndicator = 26;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#homeLayout}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:homeLayout
*/
public static final int ActionBar_homeLayout = 14;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#icon}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:icon
*/
public static final int ActionBar_icon = 7;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#indeterminateProgressStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:indeterminateProgressStyle
*/
public static final int ActionBar_indeterminateProgressStyle = 16;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#itemPadding}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:itemPadding
*/
public static final int ActionBar_itemPadding = 18;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#logo}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:logo
*/
public static final int ActionBar_logo = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#navigationMode}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>listMode</code></td><td>1</td><td></td></tr>
<tr><td><code>tabMode</code></td><td>2</td><td></td></tr>
</table>
@attr name com.mymaps:navigationMode
*/
public static final int ActionBar_navigationMode = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#popupTheme}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:popupTheme
*/
public static final int ActionBar_popupTheme = 25;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#progressBarPadding}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:progressBarPadding
*/
public static final int ActionBar_progressBarPadding = 17;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#progressBarStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:progressBarStyle
*/
public static final int ActionBar_progressBarStyle = 15;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#subtitle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:subtitle
*/
public static final int ActionBar_subtitle = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#subtitleTextStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:subtitleTextStyle
*/
public static final int ActionBar_subtitleTextStyle = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#title}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:title
*/
public static final int ActionBar_title = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleTextStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:titleTextStyle
*/
public static final int ActionBar_titleTextStyle = 5;
/** Attributes that can be used with a ActionBarLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionBarLayout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
</table>
@see #ActionBarLayout_android_layout_gravity
*/
public static final int[] ActionBarLayout = {
0x010100b3
};
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
attribute's value can be found in the {@link #ActionBarLayout} array.
@attr name android:layout_gravity
*/
public static final int ActionBarLayout_android_layout_gravity = 0;
/** Attributes that can be used with a ActionMenuItemView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionMenuItemView_android_minWidth android:minWidth}</code></td><td></td></tr>
</table>
@see #ActionMenuItemView_android_minWidth
*/
public static final int[] ActionMenuItemView = {
0x0101013f
};
/**
<p>This symbol is the offset where the {@link android.R.attr#minWidth}
attribute's value can be found in the {@link #ActionMenuItemView} array.
@attr name android:minWidth
*/
public static final int ActionMenuItemView_android_minWidth = 0;
/** Attributes that can be used with a ActionMenuView.
*/
public static final int[] ActionMenuView = {
};
/** Attributes that can be used with a ActionMode.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionMode_background com.mymaps:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_backgroundSplit com.mymaps:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_closeItemLayout com.mymaps:closeItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_height com.mymaps:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_subtitleTextStyle com.mymaps:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_titleTextStyle com.mymaps: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 = {
0x7f010022, 0x7f010028, 0x7f010029, 0x7f01002d,
0x7f01002f, 0x7f01003d
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#background}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:background
*/
public static final int ActionMode_background = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#backgroundSplit}
attribute's value can be found in the {@link #ActionMode} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:backgroundSplit
*/
public static final int ActionMode_backgroundSplit = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#closeItemLayout}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:closeItemLayout
*/
public static final int ActionMode_closeItemLayout = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#height}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:height
*/
public static final int ActionMode_height = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#subtitleTextStyle}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:subtitleTextStyle
*/
public static final int ActionMode_subtitleTextStyle = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleTextStyle}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:titleTextStyle
*/
public static final int ActionMode_titleTextStyle = 1;
/** Attributes that can be used with a ActivityChooserView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActivityChooserView_expandActivityOverflowButtonDrawable com.mymaps:expandActivityOverflowButtonDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #ActivityChooserView_initialActivityCount com.mymaps: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 com.mymaps.R.attr#expandActivityOverflowButtonDrawable}
attribute's value can be found in the {@link #ActivityChooserView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:expandActivityOverflowButtonDrawable
*/
public static final int ActivityChooserView_expandActivityOverflowButtonDrawable = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#initialActivityCount}
attribute's value can be found in the {@link #ActivityChooserView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:initialActivityCount
*/
public static final int ActivityChooserView_initialActivityCount = 0;
/** Attributes that can be used with a AdsAttrs.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AdsAttrs_adSize com.mymaps:adSize}</code></td><td>
The size of the ad.</td></tr>
<tr><td><code>{@link #AdsAttrs_adSizes com.mymaps:adSizes}</code></td><td>
A comma-separated list of the supported ad sizes.</td></tr>
<tr><td><code>{@link #AdsAttrs_adUnitId com.mymaps:adUnitId}</code></td><td> The ad unit ID.</td></tr>
</table>
@see #AdsAttrs_adSize
@see #AdsAttrs_adSizes
@see #AdsAttrs_adUnitId
*/
public static final int[] AdsAttrs = {
0x7f0100fb, 0x7f0100fc, 0x7f0100fd
};
/**
<p>
@attr description
The size of the ad. It must be one of BANNER, FULL_BANNER, LEADERBOARD,
MEDIUM_RECTANGLE, SMART_BANNER, WIDE_SKYSCRAPER, FLUID or
<width>x<height>.
<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.
<p>This is a private symbol.
@attr name com.mymaps:adSize
*/
public static final int AdsAttrs_adSize = 0;
/**
<p>
@attr description
A comma-separated list of the supported ad sizes. The sizes must be one of
BANNER, FULL_BANNER, LEADERBOARD, MEDIUM_RECTANGLE, SMART_BANNER,
WIDE_SKYSCRAPER, FLUID or <width>x<height>.
<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.
<p>This is a private symbol.
@attr name com.mymaps:adSizes
*/
public static final int AdsAttrs_adSizes = 1;
/**
<p>
@attr description
The ad unit ID.
<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.
<p>This is a private symbol.
@attr name com.mymaps:adUnitId
*/
public static final int AdsAttrs_adUnitId = 2;
/** Attributes that can be used with a AlertDialog.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AlertDialog_android_layout android:layout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_buttonPanelSideLayout com.mymaps:buttonPanelSideLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listItemLayout com.mymaps:listItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listLayout com.mymaps:listLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_multiChoiceItemLayout com.mymaps:multiChoiceItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_singleChoiceItemLayout com.mymaps: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 final int AlertDialog_android_layout = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonPanelSideLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonPanelSideLayout
*/
public static final int AlertDialog_buttonPanelSideLayout = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listItemLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:listItemLayout
*/
public static final int AlertDialog_listItemLayout = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:listLayout
*/
public static final int AlertDialog_listLayout = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#multiChoiceItemLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:multiChoiceItemLayout
*/
public static final int AlertDialog_multiChoiceItemLayout = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#singleChoiceItemLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:singleChoiceItemLayout
*/
public static final int AlertDialog_singleChoiceItemLayout = 4;
/** Attributes that can be used with a AppCompatTextView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatTextView_android_textAppearance android:textAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_textAllCaps com.mymaps:textAllCaps}</code></td><td></td></tr>
</table>
@see #AppCompatTextView_android_textAppearance
@see #AppCompatTextView_textAllCaps
*/
public static final int[] AppCompatTextView = {
0x01010034, 0x7f010045
};
/**
<p>This symbol is the offset where the {@link android.R.attr#textAppearance}
attribute's value can be found in the {@link #AppCompatTextView} array.
@attr name android:textAppearance
*/
public static final int AppCompatTextView_android_textAppearance = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAllCaps}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a boolean value, either "<code>true</code>" or "<code>false</code>".
@attr name com.mymaps:textAllCaps
*/
public static final int AppCompatTextView_textAllCaps = 1;
/** Attributes that can be used with a CompoundButton.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTint com.mymaps:buttonTint}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTintMode com.mymaps:buttonTintMode}</code></td><td></td></tr>
</table>
@see #CompoundButton_android_button
@see #CompoundButton_buttonTint
@see #CompoundButton_buttonTintMode
*/
public static final int[] CompoundButton = {
0x01010107, 0x7f010046, 0x7f010047
};
/**
<p>This symbol is the offset where the {@link android.R.attr#button}
attribute's value can be found in the {@link #CompoundButton} array.
@attr name android:button
*/
public static final int CompoundButton_android_button = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonTint}
attribute's value can be found in the {@link #CompoundButton} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:buttonTint
*/
public static final int CompoundButton_buttonTint = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonTintMode}
attribute's value can be found in the {@link #CompoundButton} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
@attr name com.mymaps:buttonTintMode
*/
public static final int CompoundButton_buttonTintMode = 2;
/** Attributes that can be specified to define a custom theme
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CustomWalletTheme_windowTransitionStyle com.mymaps:windowTransitionStyle}</code></td><td> Defines the set of transition to be used between activities </td></tr>
</table>
@see #CustomWalletTheme_windowTransitionStyle
*/
public static final int[] CustomWalletTheme = {
0x7f01000f
};
/**
<p>
@attr description
Defines the set of transition to be used between activities
<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>slide</code></td><td>1</td><td></td></tr>
<tr><td><code>none</code></td><td>2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:windowTransitionStyle
*/
public static final int CustomWalletTheme_windowTransitionStyle = 0;
/** Attributes that can be used with a DrawerArrowToggle.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowHeadLength com.mymaps:arrowHeadLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength com.mymaps:arrowShaftLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_barLength com.mymaps:barLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_color com.mymaps:color}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_drawableSize com.mymaps:drawableSize}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars com.mymaps:gapBetweenBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_spinBars com.mymaps:spinBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_thickness com.mymaps: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 = {
0x7f010048, 0x7f010049, 0x7f01004a, 0x7f01004b,
0x7f01004c, 0x7f01004d, 0x7f01004e, 0x7f01004f
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#arrowHeadLength}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:arrowHeadLength
*/
public static final int DrawerArrowToggle_arrowHeadLength = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#arrowShaftLength}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:arrowShaftLength
*/
public static final int DrawerArrowToggle_arrowShaftLength = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#barLength}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:barLength
*/
public static final int DrawerArrowToggle_barLength = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#color}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:color
*/
public static final int DrawerArrowToggle_color = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#drawableSize}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:drawableSize
*/
public static final int DrawerArrowToggle_drawableSize = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#gapBetweenBars}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:gapBetweenBars
*/
public static final int DrawerArrowToggle_gapBetweenBars = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#spinBars}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:spinBars
*/
public static final int DrawerArrowToggle_spinBars = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#thickness}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:thickness
*/
public static final int DrawerArrowToggle_thickness = 7;
/** Attributes that can be used with a LinearLayoutCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_baselineAligned android:baselineAligned}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_baselineAlignedChildIndex android:baselineAlignedChildIndex}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_gravity android:gravity}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_orientation android:orientation}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_weightSum android:weightSum}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_divider com.mymaps:divider}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_dividerPadding com.mymaps:dividerPadding}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild com.mymaps:measureWithLargestChild}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_showDividers com.mymaps: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, 0x7f01002c, 0x7f010050, 0x7f010051,
0x7f010052
};
/**
<p>This symbol is the offset where the {@link android.R.attr#baselineAligned}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:baselineAligned
*/
public static final int LinearLayoutCompat_android_baselineAligned = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#baselineAlignedChildIndex}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:baselineAlignedChildIndex
*/
public static final int LinearLayoutCompat_android_baselineAlignedChildIndex = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#gravity}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:gravity
*/
public static final int LinearLayoutCompat_android_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#orientation}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:orientation
*/
public static final int LinearLayoutCompat_android_orientation = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#weightSum}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:weightSum
*/
public static final int LinearLayoutCompat_android_weightSum = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#divider}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:divider
*/
public static final int LinearLayoutCompat_divider = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dividerPadding}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:dividerPadding
*/
public static final int LinearLayoutCompat_dividerPadding = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#measureWithLargestChild}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:measureWithLargestChild
*/
public static final int LinearLayoutCompat_measureWithLargestChild = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#showDividers}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>beginning</code></td><td>1</td><td></td></tr>
<tr><td><code>middle</code></td><td>2</td><td></td></tr>
<tr><td><code>end</code></td><td>4</td><td></td></tr>
</table>
@attr name com.mymaps:showDividers
*/
public static final int LinearLayoutCompat_showDividers = 7;
/** Attributes that can be used with a LinearLayoutCompat_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_height android:layout_height}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_weight android:layout_weight}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_width android:layout_width}</code></td><td></td></tr>
</table>
@see #LinearLayoutCompat_Layout_android_layout_gravity
@see #LinearLayoutCompat_Layout_android_layout_height
@see #LinearLayoutCompat_Layout_android_layout_weight
@see #LinearLayoutCompat_Layout_android_layout_width
*/
public static final int[] LinearLayoutCompat_Layout = {
0x010100b3, 0x010100f4, 0x010100f5, 0x01010181
};
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_gravity
*/
public static final int LinearLayoutCompat_Layout_android_layout_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_height}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_height
*/
public static final int LinearLayoutCompat_Layout_android_layout_height = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_weight}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_weight
*/
public static final int LinearLayoutCompat_Layout_android_layout_weight = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_width}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_width
*/
public static final int LinearLayoutCompat_Layout_android_layout_width = 1;
/** Attributes that can be used with a ListPopupWindow.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ListPopupWindow_android_dropDownHorizontalOffset android:dropDownHorizontalOffset}</code></td><td></td></tr>
<tr><td><code>{@link #ListPopupWindow_android_dropDownVerticalOffset android:dropDownVerticalOffset}</code></td><td></td></tr>
</table>
@see #ListPopupWindow_android_dropDownHorizontalOffset
@see #ListPopupWindow_android_dropDownVerticalOffset
*/
public static final int[] ListPopupWindow = {
0x010102ac, 0x010102ad
};
/**
<p>This symbol is the offset where the {@link android.R.attr#dropDownHorizontalOffset}
attribute's value can be found in the {@link #ListPopupWindow} array.
@attr name android:dropDownHorizontalOffset
*/
public static final int ListPopupWindow_android_dropDownHorizontalOffset = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#dropDownVerticalOffset}
attribute's value can be found in the {@link #ListPopupWindow} array.
@attr name android:dropDownVerticalOffset
*/
public static final int ListPopupWindow_android_dropDownVerticalOffset = 1;
/** Attributes for LoadingImageView
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #LoadingImageView_circleCrop com.mymaps:circleCrop}</code></td><td>
Whether or not this view should have a circular clip applied
</td></tr>
<tr><td><code>{@link #LoadingImageView_imageAspectRatio com.mymaps:imageAspectRatio}</code></td><td>
The fixed aspect ratio to use in aspect ratio adjustments.</td></tr>
<tr><td><code>{@link #LoadingImageView_imageAspectRatioAdjust com.mymaps:imageAspectRatioAdjust}</code></td><td>
What kind of aspect ratio adjustment to do.</td></tr>
</table>
@see #LoadingImageView_circleCrop
@see #LoadingImageView_imageAspectRatio
@see #LoadingImageView_imageAspectRatioAdjust
*/
public static final int[] LoadingImageView = {
0x7f0100f8, 0x7f0100f9, 0x7f0100fa
};
/**
<p>
@attr description
Whether or not this view should have a circular clip applied
<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.
<p>This is a private symbol.
@attr name com.mymaps:circleCrop
*/
public static final int LoadingImageView_circleCrop = 2;
/**
<p>
@attr description
The fixed aspect ratio to use in aspect ratio adjustments.
<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.
<p>This is a private symbol.
@attr name com.mymaps:imageAspectRatio
*/
public static final int LoadingImageView_imageAspectRatio = 1;
/**
<p>
@attr description
What kind of aspect ratio adjustment to do. It must be one of "none", "adjust_width",
or "adjust_height".
<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>adjust_width</code></td><td>1</td><td></td></tr>
<tr><td><code>adjust_height</code></td><td>2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:imageAspectRatioAdjust
*/
public static final int LoadingImageView_imageAspectRatioAdjust = 0;
/** Attributes that can be used with a MapAttrs.
<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 #MapAttrs_ambientEnabled com.mymaps:ambientEnabled}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_cameraBearing com.mymaps:cameraBearing}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_cameraTargetLat com.mymaps:cameraTargetLat}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_cameraTargetLng com.mymaps:cameraTargetLng}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_cameraTilt com.mymaps:cameraTilt}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_cameraZoom com.mymaps:cameraZoom}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_liteMode com.mymaps:liteMode}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_mapType com.mymaps:mapType}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiCompass com.mymaps:uiCompass}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiMapToolbar com.mymaps:uiMapToolbar}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiRotateGestures com.mymaps:uiRotateGestures}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiScrollGestures com.mymaps:uiScrollGestures}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiTiltGestures com.mymaps:uiTiltGestures}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiZoomControls com.mymaps:uiZoomControls}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_uiZoomGestures com.mymaps:uiZoomGestures}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_useViewLifecycle com.mymaps:useViewLifecycle}</code></td><td></td></tr>
<tr><td><code>{@link #MapAttrs_zOrderOnTop com.mymaps:zOrderOnTop}</code></td><td></td></tr>
</table>
@see #MapAttrs_ambientEnabled
@see #MapAttrs_cameraBearing
@see #MapAttrs_cameraTargetLat
@see #MapAttrs_cameraTargetLng
@see #MapAttrs_cameraTilt
@see #MapAttrs_cameraZoom
@see #MapAttrs_liteMode
@see #MapAttrs_mapType
@see #MapAttrs_uiCompass
@see #MapAttrs_uiMapToolbar
@see #MapAttrs_uiRotateGestures
@see #MapAttrs_uiScrollGestures
@see #MapAttrs_uiTiltGestures
@see #MapAttrs_uiZoomControls
@see #MapAttrs_uiZoomGestures
@see #MapAttrs_useViewLifecycle
@see #MapAttrs_zOrderOnTop
*/
public static final int[] MapAttrs = {
0x7f010010, 0x7f010011, 0x7f010012, 0x7f010013,
0x7f010014, 0x7f010015, 0x7f010016, 0x7f010017,
0x7f010018, 0x7f010019, 0x7f01001a, 0x7f01001b,
0x7f01001c, 0x7f01001d, 0x7f01001e, 0x7f01001f,
0x7f010020
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#ambientEnabled}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:ambientEnabled
*/
public static final int MapAttrs_ambientEnabled = 16;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#cameraBearing}
attribute's value can be found in the {@link #MapAttrs} 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 com.mymaps:cameraBearing
*/
public static final int MapAttrs_cameraBearing = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#cameraTargetLat}
attribute's value can be found in the {@link #MapAttrs} 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 com.mymaps:cameraTargetLat
*/
public static final int MapAttrs_cameraTargetLat = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#cameraTargetLng}
attribute's value can be found in the {@link #MapAttrs} 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 com.mymaps:cameraTargetLng
*/
public static final int MapAttrs_cameraTargetLng = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#cameraTilt}
attribute's value can be found in the {@link #MapAttrs} 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 com.mymaps:cameraTilt
*/
public static final int MapAttrs_cameraTilt = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#cameraZoom}
attribute's value can be found in the {@link #MapAttrs} 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 com.mymaps:cameraZoom
*/
public static final int MapAttrs_cameraZoom = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#liteMode}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:liteMode
*/
public static final int MapAttrs_liteMode = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#mapType}
attribute's value can be found in the {@link #MapAttrs} 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>normal</code></td><td>1</td><td></td></tr>
<tr><td><code>satellite</code></td><td>2</td><td></td></tr>
<tr><td><code>terrain</code></td><td>3</td><td></td></tr>
<tr><td><code>hybrid</code></td><td>4</td><td></td></tr>
</table>
@attr name com.mymaps:mapType
*/
public static final int MapAttrs_mapType = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiCompass}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiCompass
*/
public static final int MapAttrs_uiCompass = 7;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiMapToolbar}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiMapToolbar
*/
public static final int MapAttrs_uiMapToolbar = 15;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiRotateGestures}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiRotateGestures
*/
public static final int MapAttrs_uiRotateGestures = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiScrollGestures}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiScrollGestures
*/
public static final int MapAttrs_uiScrollGestures = 9;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiTiltGestures}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiTiltGestures
*/
public static final int MapAttrs_uiTiltGestures = 10;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiZoomControls}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiZoomControls
*/
public static final int MapAttrs_uiZoomControls = 11;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#uiZoomGestures}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:uiZoomGestures
*/
public static final int MapAttrs_uiZoomGestures = 12;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#useViewLifecycle}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:useViewLifecycle
*/
public static final int MapAttrs_useViewLifecycle = 13;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#zOrderOnTop}
attribute's value can be found in the {@link #MapAttrs} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:zOrderOnTop
*/
public static final int MapAttrs_zOrderOnTop = 14;
/** 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 com.mymaps: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, 0x7f0100f4
};
/**
<p>This symbol is the offset where the {@link android.R.attr#minHeight}
attribute's value can be found in the {@link #MediaRouteButton} array.
@attr name android:minHeight
*/
public static final int MediaRouteButton_android_minHeight = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#minWidth}
attribute's value can be found in the {@link #MediaRouteButton} array.
@attr name android:minWidth
*/
public static final int MediaRouteButton_android_minWidth = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.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 com.mymaps:externalRouteEnabledDrawable
*/
public static final int MediaRouteButton_externalRouteEnabledDrawable = 2;
/** Attributes that can be used with a MenuGroup.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_enabled android:enabled}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_menuCategory android:menuCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_visible android:visible}</code></td><td></td></tr>
</table>
@see #MenuGroup_android_checkableBehavior
@see #MenuGroup_android_enabled
@see #MenuGroup_android_id
@see #MenuGroup_android_menuCategory
@see #MenuGroup_android_orderInCategory
@see #MenuGroup_android_visible
*/
public static final int[] MenuGroup = {
0x0101000e, 0x010100d0, 0x01010194, 0x010101de,
0x010101df, 0x010101e0
};
/**
<p>This symbol is the offset where the {@link android.R.attr#checkableBehavior}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:checkableBehavior
*/
public static final int MenuGroup_android_checkableBehavior = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#enabled}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:enabled
*/
public static final int MenuGroup_android_enabled = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#id}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:id
*/
public static final int MenuGroup_android_id = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#menuCategory}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:menuCategory
*/
public static final int MenuGroup_android_menuCategory = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#orderInCategory}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:orderInCategory
*/
public static final int MenuGroup_android_orderInCategory = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#visible}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:visible
*/
public static final int MenuGroup_android_visible = 2;
/** Attributes that can be used with a MenuItem.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuItem_actionLayout com.mymaps:actionLayout}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionProviderClass com.mymaps:actionProviderClass}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionViewClass com.mymaps:actionViewClass}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_alphabeticShortcut android:alphabeticShortcut}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_checkable android:checkable}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_checked android:checked}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_enabled android:enabled}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_icon android:icon}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_menuCategory android:menuCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_numericShortcut android:numericShortcut}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_onClick android:onClick}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_title android:title}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_titleCondensed android:titleCondensed}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_visible android:visible}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_showAsAction com.mymaps: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, 0x7f010053, 0x7f010054, 0x7f010055,
0x7f010056
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionLayout}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionLayout
*/
public static final int MenuItem_actionLayout = 14;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionProviderClass}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:actionProviderClass
*/
public static final int MenuItem_actionProviderClass = 16;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionViewClass}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:actionViewClass
*/
public static final int MenuItem_actionViewClass = 15;
/**
<p>This symbol is the offset where the {@link android.R.attr#alphabeticShortcut}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:alphabeticShortcut
*/
public static final int MenuItem_android_alphabeticShortcut = 9;
/**
<p>This symbol is the offset where the {@link android.R.attr#checkable}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:checkable
*/
public static final int MenuItem_android_checkable = 11;
/**
<p>This symbol is the offset where the {@link android.R.attr#checked}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:checked
*/
public static final int MenuItem_android_checked = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#enabled}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:enabled
*/
public static final int MenuItem_android_enabled = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#icon}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:icon
*/
public static final int MenuItem_android_icon = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#id}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:id
*/
public static final int MenuItem_android_id = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#menuCategory}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:menuCategory
*/
public static final int MenuItem_android_menuCategory = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#numericShortcut}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:numericShortcut
*/
public static final int MenuItem_android_numericShortcut = 10;
/**
<p>This symbol is the offset where the {@link android.R.attr#onClick}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:onClick
*/
public static final int MenuItem_android_onClick = 12;
/**
<p>This symbol is the offset where the {@link android.R.attr#orderInCategory}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:orderInCategory
*/
public static final int MenuItem_android_orderInCategory = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#title}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:title
*/
public static final int MenuItem_android_title = 7;
/**
<p>This symbol is the offset where the {@link android.R.attr#titleCondensed}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:titleCondensed
*/
public static final int MenuItem_android_titleCondensed = 8;
/**
<p>This symbol is the offset where the {@link android.R.attr#visible}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:visible
*/
public static final int MenuItem_android_visible = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#showAsAction}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>never</code></td><td>0</td><td></td></tr>
<tr><td><code>ifRoom</code></td><td>1</td><td></td></tr>
<tr><td><code>always</code></td><td>2</td><td></td></tr>
<tr><td><code>withText</code></td><td>4</td><td></td></tr>
<tr><td><code>collapseActionView</code></td><td>8</td><td></td></tr>
</table>
@attr name com.mymaps:showAsAction
*/
public static final int MenuItem_showAsAction = 13;
/** Attributes that can be used with a MenuView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuView_android_headerBackground android:headerBackground}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_horizontalDivider android:horizontalDivider}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_itemBackground android:itemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_itemIconDisabledAlpha android:itemIconDisabledAlpha}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_itemTextAppearance android:itemTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_verticalDivider android:verticalDivider}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_preserveIconSpacing com.mymaps:preserveIconSpacing}</code></td><td></td></tr>
</table>
@see #MenuView_android_headerBackground
@see #MenuView_android_horizontalDivider
@see #MenuView_android_itemBackground
@see #MenuView_android_itemIconDisabledAlpha
@see #MenuView_android_itemTextAppearance
@see #MenuView_android_verticalDivider
@see #MenuView_android_windowAnimationStyle
@see #MenuView_preserveIconSpacing
*/
public static final int[] MenuView = {
0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e,
0x0101012f, 0x01010130, 0x01010131, 0x7f010057
};
/**
<p>This symbol is the offset where the {@link android.R.attr#headerBackground}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:headerBackground
*/
public static final int MenuView_android_headerBackground = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#horizontalDivider}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:horizontalDivider
*/
public static final int MenuView_android_horizontalDivider = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#itemBackground}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:itemBackground
*/
public static final int MenuView_android_itemBackground = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#itemIconDisabledAlpha}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:itemIconDisabledAlpha
*/
public static final int MenuView_android_itemIconDisabledAlpha = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#itemTextAppearance}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:itemTextAppearance
*/
public static final int MenuView_android_itemTextAppearance = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#verticalDivider}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:verticalDivider
*/
public static final int MenuView_android_verticalDivider = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:windowAnimationStyle
*/
public static final int MenuView_android_windowAnimationStyle = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#preserveIconSpacing}
attribute's value can be found in the {@link #MenuView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:preserveIconSpacing
*/
public static final int MenuView_preserveIconSpacing = 7;
/** Attributes that can be used with a PopupWindow.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #PopupWindow_android_popupBackground android:popupBackground}</code></td><td></td></tr>
<tr><td><code>{@link #PopupWindow_overlapAnchor com.mymaps:overlapAnchor}</code></td><td></td></tr>
</table>
@see #PopupWindow_android_popupBackground
@see #PopupWindow_overlapAnchor
*/
public static final int[] PopupWindow = {
0x01010176, 0x7f010058
};
/**
<p>This symbol is the offset where the {@link android.R.attr#popupBackground}
attribute's value can be found in the {@link #PopupWindow} array.
@attr name android:popupBackground
*/
public static final int PopupWindow_android_popupBackground = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#overlapAnchor}
attribute's value can be found in the {@link #PopupWindow} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:overlapAnchor
*/
public static final int PopupWindow_overlapAnchor = 1;
/** Attributes that can be used with a PopupWindowBackgroundState.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #PopupWindowBackgroundState_state_above_anchor com.mymaps:state_above_anchor}</code></td><td></td></tr>
</table>
@see #PopupWindowBackgroundState_state_above_anchor
*/
public static final int[] PopupWindowBackgroundState = {
0x7f010059
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#state_above_anchor}
attribute's value can be found in the {@link #PopupWindowBackgroundState} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:state_above_anchor
*/
public static final int PopupWindowBackgroundState_state_above_anchor = 0;
/** Attributes that can be used with a SearchView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SearchView_android_focusable android:focusable}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_imeOptions android:imeOptions}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_inputType android:inputType}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_maxWidth android:maxWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_closeIcon com.mymaps:closeIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_commitIcon com.mymaps:commitIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_defaultQueryHint com.mymaps:defaultQueryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_goIcon com.mymaps:goIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_iconifiedByDefault com.mymaps:iconifiedByDefault}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_layout com.mymaps:layout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryBackground com.mymaps:queryBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryHint com.mymaps:queryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchHintIcon com.mymaps:searchHintIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchIcon com.mymaps:searchIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_submitBackground com.mymaps:submitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_suggestionRowLayout com.mymaps:suggestionRowLayout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_voiceIcon com.mymaps: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,
0x7f01005a, 0x7f01005b, 0x7f01005c, 0x7f01005d,
0x7f01005e, 0x7f01005f, 0x7f010060, 0x7f010061,
0x7f010062, 0x7f010063, 0x7f010064, 0x7f010065,
0x7f010066
};
/**
<p>This symbol is the offset where the {@link android.R.attr#focusable}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:focusable
*/
public static final int SearchView_android_focusable = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#imeOptions}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:imeOptions
*/
public static final int SearchView_android_imeOptions = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#inputType}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:inputType
*/
public static final int SearchView_android_inputType = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#maxWidth}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:maxWidth
*/
public static final int SearchView_android_maxWidth = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#closeIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:closeIcon
*/
public static final int SearchView_closeIcon = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#commitIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:commitIcon
*/
public static final int SearchView_commitIcon = 13;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#defaultQueryHint}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:defaultQueryHint
*/
public static final int SearchView_defaultQueryHint = 7;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#goIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:goIcon
*/
public static final int SearchView_goIcon = 9;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#iconifiedByDefault}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:iconifiedByDefault
*/
public static final int SearchView_iconifiedByDefault = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#layout}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:layout
*/
public static final int SearchView_layout = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#queryBackground}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:queryBackground
*/
public static final int SearchView_queryBackground = 15;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#queryHint}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:queryHint
*/
public static final int SearchView_queryHint = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#searchHintIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:searchHintIcon
*/
public static final int SearchView_searchHintIcon = 11;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#searchIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:searchIcon
*/
public static final int SearchView_searchIcon = 10;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#submitBackground}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:submitBackground
*/
public static final int SearchView_submitBackground = 16;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#suggestionRowLayout}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:suggestionRowLayout
*/
public static final int SearchView_suggestionRowLayout = 14;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#voiceIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:voiceIcon
*/
public static final int SearchView_voiceIcon = 12;
/** Attributes for SignInButton
WARNING: When making changes here, remember to update corresponding constants at
com.google.android.gms.common.SignInButton
For backward compatibility, you can only add new constant but not remove or change
existing constants
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SignInButton_buttonSize com.mymaps:buttonSize}</code></td><td></td></tr>
<tr><td><code>{@link #SignInButton_colorScheme com.mymaps:colorScheme}</code></td><td></td></tr>
<tr><td><code>{@link #SignInButton_scopeUris com.mymaps:scopeUris}</code></td><td></td></tr>
</table>
@see #SignInButton_buttonSize
@see #SignInButton_colorScheme
@see #SignInButton_scopeUris
*/
public static final int[] SignInButton = {
0x7f0100f5, 0x7f0100f6, 0x7f0100f7
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonSize}
attribute's value can be found in the {@link #SignInButton} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<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>standard</code></td><td>0</td><td></td></tr>
<tr><td><code>wide</code></td><td>1</td><td></td></tr>
<tr><td><code>icon_only</code></td><td>2</td><td></td></tr>
</table>
@attr name com.mymaps:buttonSize
*/
public static final int SignInButton_buttonSize = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorScheme}
attribute's value can be found in the {@link #SignInButton} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<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>dark</code></td><td>0</td><td></td></tr>
<tr><td><code>light</code></td><td>1</td><td></td></tr>
<tr><td><code>auto</code></td><td>2</td><td></td></tr>
</table>
@attr name com.mymaps:colorScheme
*/
public static final int SignInButton_colorScheme = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#scopeUris}
attribute's value can be found in the {@link #SignInButton} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
@attr name com.mymaps:scopeUris
*/
public static final int SignInButton_scopeUris = 2;
/** Attributes that can be used with a Spinner.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #Spinner_android_dropDownWidth android:dropDownWidth}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_popupBackground android:popupBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_prompt android:prompt}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_popupTheme com.mymaps:popupTheme}</code></td><td></td></tr>
</table>
@see #Spinner_android_dropDownWidth
@see #Spinner_android_popupBackground
@see #Spinner_android_prompt
@see #Spinner_popupTheme
*/
public static final int[] Spinner = {
0x01010176, 0x0101017b, 0x01010262, 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 final int Spinner_android_dropDownWidth = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#popupBackground}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:popupBackground
*/
public static final int Spinner_android_popupBackground = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#prompt}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:prompt
*/
public static final int Spinner_android_prompt = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#popupTheme}
attribute's value can be found in the {@link #Spinner} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:popupTheme
*/
public static final int Spinner_popupTheme = 3;
/** Attributes that can be used with a SwitchCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SwitchCompat_android_textOff android:textOff}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_android_textOn android:textOn}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_android_thumb android:thumb}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_showText com.mymaps:showText}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_splitTrack com.mymaps:splitTrack}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchMinWidth com.mymaps:switchMinWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchPadding com.mymaps:switchPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchTextAppearance com.mymaps:switchTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTextPadding com.mymaps:thumbTextPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_track com.mymaps:track}</code></td><td></td></tr>
</table>
@see #SwitchCompat_android_textOff
@see #SwitchCompat_android_textOn
@see #SwitchCompat_android_thumb
@see #SwitchCompat_showText
@see #SwitchCompat_splitTrack
@see #SwitchCompat_switchMinWidth
@see #SwitchCompat_switchPadding
@see #SwitchCompat_switchTextAppearance
@see #SwitchCompat_thumbTextPadding
@see #SwitchCompat_track
*/
public static final int[] SwitchCompat = {
0x01010124, 0x01010125, 0x01010142, 0x7f010067,
0x7f010068, 0x7f010069, 0x7f01006a, 0x7f01006b,
0x7f01006c, 0x7f01006d
};
/**
<p>This symbol is the offset where the {@link android.R.attr#textOff}
attribute's value can be found in the {@link #SwitchCompat} array.
@attr name android:textOff
*/
public static final int SwitchCompat_android_textOff = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#textOn}
attribute's value can be found in the {@link #SwitchCompat} array.
@attr name android:textOn
*/
public static final int SwitchCompat_android_textOn = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#thumb}
attribute's value can be found in the {@link #SwitchCompat} array.
@attr name android:thumb
*/
public static final int SwitchCompat_android_thumb = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#showText}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:showText
*/
public static final int SwitchCompat_showText = 9;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#splitTrack}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:splitTrack
*/
public static final int SwitchCompat_splitTrack = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#switchMinWidth}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:switchMinWidth
*/
public static final int SwitchCompat_switchMinWidth = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#switchPadding}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:switchPadding
*/
public static final int SwitchCompat_switchPadding = 7;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#switchTextAppearance}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:switchTextAppearance
*/
public static final int SwitchCompat_switchTextAppearance = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#thumbTextPadding}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:thumbTextPadding
*/
public static final int SwitchCompat_thumbTextPadding = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#track}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:track
*/
public static final int SwitchCompat_track = 3;
/** Attributes that can be used with a TextAppearance.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #TextAppearance_android_textColor android:textColor}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_textSize android:textSize}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_textStyle android:textStyle}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_typeface android:typeface}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_textAllCaps com.mymaps:textAllCaps}</code></td><td></td></tr>
</table>
@see #TextAppearance_android_textColor
@see #TextAppearance_android_textSize
@see #TextAppearance_android_textStyle
@see #TextAppearance_android_typeface
@see #TextAppearance_textAllCaps
*/
public static final int[] TextAppearance = {
0x01010095, 0x01010096, 0x01010097, 0x01010098,
0x7f010045
};
/**
<p>This symbol is the offset where the {@link android.R.attr#textColor}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textColor
*/
public static final int TextAppearance_android_textColor = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#textSize}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textSize
*/
public static final int TextAppearance_android_textSize = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#textStyle}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textStyle
*/
public static final int TextAppearance_android_textStyle = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#typeface}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:typeface
*/
public static final int TextAppearance_android_typeface = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAllCaps}
attribute's value can be found in the {@link #TextAppearance} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a boolean value, either "<code>true</code>" or "<code>false</code>".
@attr name com.mymaps:textAllCaps
*/
public static final int TextAppearance_textAllCaps = 4;
/** Attributes that can be used with a Theme.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #Theme_actionBarDivider com.mymaps:actionBarDivider}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarItemBackground com.mymaps:actionBarItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarPopupTheme com.mymaps:actionBarPopupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarSize com.mymaps:actionBarSize}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarSplitStyle com.mymaps:actionBarSplitStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarStyle com.mymaps:actionBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTabBarStyle com.mymaps:actionBarTabBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTabStyle com.mymaps:actionBarTabStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTabTextStyle com.mymaps:actionBarTabTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarTheme com.mymaps:actionBarTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionBarWidgetTheme com.mymaps:actionBarWidgetTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionButtonStyle com.mymaps:actionButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionDropDownStyle com.mymaps:actionDropDownStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionMenuTextAppearance com.mymaps:actionMenuTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionMenuTextColor com.mymaps:actionMenuTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeBackground com.mymaps:actionModeBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCloseButtonStyle com.mymaps:actionModeCloseButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCloseDrawable com.mymaps:actionModeCloseDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCopyDrawable com.mymaps:actionModeCopyDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeCutDrawable com.mymaps:actionModeCutDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeFindDrawable com.mymaps:actionModeFindDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModePasteDrawable com.mymaps:actionModePasteDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModePopupWindowStyle com.mymaps:actionModePopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeSelectAllDrawable com.mymaps:actionModeSelectAllDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeShareDrawable com.mymaps:actionModeShareDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeSplitBackground com.mymaps:actionModeSplitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeStyle com.mymaps:actionModeStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionModeWebSearchDrawable com.mymaps:actionModeWebSearchDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionOverflowButtonStyle com.mymaps:actionOverflowButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_actionOverflowMenuStyle com.mymaps:actionOverflowMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_activityChooserViewStyle com.mymaps:activityChooserViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogButtonGroupStyle com.mymaps:alertDialogButtonGroupStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogCenterButtons com.mymaps:alertDialogCenterButtons}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogStyle com.mymaps:alertDialogStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_alertDialogTheme com.mymaps:alertDialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_autoCompleteTextViewStyle com.mymaps:autoCompleteTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_borderlessButtonStyle com.mymaps:borderlessButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarButtonStyle com.mymaps:buttonBarButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarNegativeButtonStyle com.mymaps:buttonBarNegativeButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarNeutralButtonStyle com.mymaps:buttonBarNeutralButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarPositiveButtonStyle com.mymaps:buttonBarPositiveButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonBarStyle com.mymaps:buttonBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonStyle com.mymaps:buttonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_buttonStyleSmall com.mymaps:buttonStyleSmall}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_checkboxStyle com.mymaps:checkboxStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_checkedTextViewStyle com.mymaps:checkedTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorAccent com.mymaps:colorAccent}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorButtonNormal com.mymaps:colorButtonNormal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorControlActivated com.mymaps:colorControlActivated}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorControlHighlight com.mymaps:colorControlHighlight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorControlNormal com.mymaps:colorControlNormal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorPrimary com.mymaps:colorPrimary}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorPrimaryDark com.mymaps:colorPrimaryDark}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_colorSwitchThumbNormal com.mymaps:colorSwitchThumbNormal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_controlBackground com.mymaps:controlBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dialogPreferredPadding com.mymaps:dialogPreferredPadding}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dialogTheme com.mymaps:dialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dividerHorizontal com.mymaps:dividerHorizontal}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dividerVertical com.mymaps:dividerVertical}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dropDownListViewStyle com.mymaps:dropDownListViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_dropdownListPreferredItemHeight com.mymaps:dropdownListPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_editTextBackground com.mymaps:editTextBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_editTextColor com.mymaps:editTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_editTextStyle com.mymaps:editTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_homeAsUpIndicator com.mymaps:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listChoiceBackgroundIndicator com.mymaps:listChoiceBackgroundIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listDividerAlertDialog com.mymaps:listDividerAlertDialog}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPopupWindowStyle com.mymaps:listPopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemHeight com.mymaps:listPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemHeightLarge com.mymaps:listPreferredItemHeightLarge}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemHeightSmall com.mymaps:listPreferredItemHeightSmall}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemPaddingLeft com.mymaps:listPreferredItemPaddingLeft}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_listPreferredItemPaddingRight com.mymaps:listPreferredItemPaddingRight}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_panelBackground com.mymaps:panelBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_panelMenuListTheme com.mymaps:panelMenuListTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_panelMenuListWidth com.mymaps:panelMenuListWidth}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_popupMenuStyle com.mymaps:popupMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_popupWindowStyle com.mymaps:popupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_radioButtonStyle com.mymaps:radioButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_ratingBarStyle com.mymaps:ratingBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_searchViewStyle com.mymaps:searchViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_selectableItemBackground com.mymaps:selectableItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_selectableItemBackgroundBorderless com.mymaps:selectableItemBackgroundBorderless}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_spinnerDropDownItemStyle com.mymaps:spinnerDropDownItemStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_spinnerStyle com.mymaps:spinnerStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_switchStyle com.mymaps:switchStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceLargePopupMenu com.mymaps:textAppearanceLargePopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceListItem com.mymaps:textAppearanceListItem}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceListItemSmall com.mymaps:textAppearanceListItemSmall}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceSearchResultSubtitle com.mymaps:textAppearanceSearchResultSubtitle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceSearchResultTitle com.mymaps:textAppearanceSearchResultTitle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textAppearanceSmallPopupMenu com.mymaps:textAppearanceSmallPopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textColorAlertDialogListItem com.mymaps:textColorAlertDialogListItem}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_textColorSearchUrl com.mymaps:textColorSearchUrl}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_toolbarNavigationButtonStyle com.mymaps:toolbarNavigationButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_toolbarStyle com.mymaps:toolbarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowActionBar com.mymaps:windowActionBar}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowActionBarOverlay com.mymaps:windowActionBarOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowActionModeOverlay com.mymaps:windowActionModeOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedHeightMajor com.mymaps:windowFixedHeightMajor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedHeightMinor com.mymaps:windowFixedHeightMinor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedWidthMajor com.mymaps:windowFixedWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowFixedWidthMinor com.mymaps:windowFixedWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowMinWidthMajor com.mymaps:windowMinWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowMinWidthMinor com.mymaps:windowMinWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #Theme_windowNoTitle com.mymaps:windowNoTitle}</code></td><td></td></tr>
</table>
@see #Theme_actionBarDivider
@see #Theme_actionBarItemBackground
@see #Theme_actionBarPopupTheme
@see #Theme_actionBarSize
@see #Theme_actionBarSplitStyle
@see #Theme_actionBarStyle
@see #Theme_actionBarTabBarStyle
@see #Theme_actionBarTabStyle
@see #Theme_actionBarTabTextStyle
@see #Theme_actionBarTheme
@see #Theme_actionBarWidgetTheme
@see #Theme_actionButtonStyle
@see #Theme_actionDropDownStyle
@see #Theme_actionMenuTextAppearance
@see #Theme_actionMenuTextColor
@see #Theme_actionModeBackground
@see #Theme_actionModeCloseButtonStyle
@see #Theme_actionModeCloseDrawable
@see #Theme_actionModeCopyDrawable
@see #Theme_actionModeCutDrawable
@see #Theme_actionModeFindDrawable
@see #Theme_actionModePasteDrawable
@see #Theme_actionModePopupWindowStyle
@see #Theme_actionModeSelectAllDrawable
@see #Theme_actionModeShareDrawable
@see #Theme_actionModeSplitBackground
@see #Theme_actionModeStyle
@see #Theme_actionModeWebSearchDrawable
@see #Theme_actionOverflowButtonStyle
@see #Theme_actionOverflowMenuStyle
@see #Theme_activityChooserViewStyle
@see #Theme_alertDialogButtonGroupStyle
@see #Theme_alertDialogCenterButtons
@see #Theme_alertDialogStyle
@see #Theme_alertDialogTheme
@see #Theme_android_windowAnimationStyle
@see #Theme_android_windowIsFloating
@see #Theme_autoCompleteTextViewStyle
@see #Theme_borderlessButtonStyle
@see #Theme_buttonBarButtonStyle
@see #Theme_buttonBarNegativeButtonStyle
@see #Theme_buttonBarNeutralButtonStyle
@see #Theme_buttonBarPositiveButtonStyle
@see #Theme_buttonBarStyle
@see #Theme_buttonStyle
@see #Theme_buttonStyleSmall
@see #Theme_checkboxStyle
@see #Theme_checkedTextViewStyle
@see #Theme_colorAccent
@see #Theme_colorButtonNormal
@see #Theme_colorControlActivated
@see #Theme_colorControlHighlight
@see #Theme_colorControlNormal
@see #Theme_colorPrimary
@see #Theme_colorPrimaryDark
@see #Theme_colorSwitchThumbNormal
@see #Theme_controlBackground
@see #Theme_dialogPreferredPadding
@see #Theme_dialogTheme
@see #Theme_dividerHorizontal
@see #Theme_dividerVertical
@see #Theme_dropDownListViewStyle
@see #Theme_dropdownListPreferredItemHeight
@see #Theme_editTextBackground
@see #Theme_editTextColor
@see #Theme_editTextStyle
@see #Theme_homeAsUpIndicator
@see #Theme_listChoiceBackgroundIndicator
@see #Theme_listDividerAlertDialog
@see #Theme_listPopupWindowStyle
@see #Theme_listPreferredItemHeight
@see #Theme_listPreferredItemHeightLarge
@see #Theme_listPreferredItemHeightSmall
@see #Theme_listPreferredItemPaddingLeft
@see #Theme_listPreferredItemPaddingRight
@see #Theme_panelBackground
@see #Theme_panelMenuListTheme
@see #Theme_panelMenuListWidth
@see #Theme_popupMenuStyle
@see #Theme_popupWindowStyle
@see #Theme_radioButtonStyle
@see #Theme_ratingBarStyle
@see #Theme_searchViewStyle
@see #Theme_selectableItemBackground
@see #Theme_selectableItemBackgroundBorderless
@see #Theme_spinnerDropDownItemStyle
@see #Theme_spinnerStyle
@see #Theme_switchStyle
@see #Theme_textAppearanceLargePopupMenu
@see #Theme_textAppearanceListItem
@see #Theme_textAppearanceListItemSmall
@see #Theme_textAppearanceSearchResultSubtitle
@see #Theme_textAppearanceSearchResultTitle
@see #Theme_textAppearanceSmallPopupMenu
@see #Theme_textColorAlertDialogListItem
@see #Theme_textColorSearchUrl
@see #Theme_toolbarNavigationButtonStyle
@see #Theme_toolbarStyle
@see #Theme_windowActionBar
@see #Theme_windowActionBarOverlay
@see #Theme_windowActionModeOverlay
@see #Theme_windowFixedHeightMajor
@see #Theme_windowFixedHeightMinor
@see #Theme_windowFixedWidthMajor
@see #Theme_windowFixedWidthMinor
@see #Theme_windowMinWidthMajor
@see #Theme_windowMinWidthMinor
@see #Theme_windowNoTitle
*/
public static final int[] Theme = {
0x01010057, 0x010100ae, 0x7f01006e, 0x7f01006f,
0x7f010070, 0x7f010071, 0x7f010072, 0x7f010073,
0x7f010074, 0x7f010075, 0x7f010076, 0x7f010077,
0x7f010078, 0x7f010079, 0x7f01007a, 0x7f01007b,
0x7f01007c, 0x7f01007d, 0x7f01007e, 0x7f01007f,
0x7f010080, 0x7f010081, 0x7f010082, 0x7f010083,
0x7f010084, 0x7f010085, 0x7f010086, 0x7f010087,
0x7f010088, 0x7f010089, 0x7f01008a, 0x7f01008b,
0x7f01008c, 0x7f01008d, 0x7f01008e, 0x7f01008f,
0x7f010090, 0x7f010091, 0x7f010092, 0x7f010093,
0x7f010094, 0x7f010095, 0x7f010096, 0x7f010097,
0x7f010098, 0x7f010099, 0x7f01009a, 0x7f01009b,
0x7f01009c, 0x7f01009d, 0x7f01009e, 0x7f01009f,
0x7f0100a0, 0x7f0100a1, 0x7f0100a2, 0x7f0100a3,
0x7f0100a4, 0x7f0100a5, 0x7f0100a6, 0x7f0100a7,
0x7f0100a8, 0x7f0100a9, 0x7f0100aa, 0x7f0100ab,
0x7f0100ac, 0x7f0100ad, 0x7f0100ae, 0x7f0100af,
0x7f0100b0, 0x7f0100b1, 0x7f0100b2, 0x7f0100b3,
0x7f0100b4, 0x7f0100b5, 0x7f0100b6, 0x7f0100b7,
0x7f0100b8, 0x7f0100b9, 0x7f0100ba, 0x7f0100bb,
0x7f0100bc, 0x7f0100bd, 0x7f0100be, 0x7f0100bf,
0x7f0100c0, 0x7f0100c1, 0x7f0100c2, 0x7f0100c3,
0x7f0100c4, 0x7f0100c5, 0x7f0100c6, 0x7f0100c7,
0x7f0100c8, 0x7f0100c9, 0x7f0100ca, 0x7f0100cb,
0x7f0100cc, 0x7f0100cd, 0x7f0100ce, 0x7f0100cf,
0x7f0100d0, 0x7f0100d1, 0x7f0100d2, 0x7f0100d3,
0x7f0100d4, 0x7f0100d5, 0x7f0100d6, 0x7f0100d7
};
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarDivider}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarDivider
*/
public static final int Theme_actionBarDivider = 23;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarItemBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarItemBackground
*/
public static final int Theme_actionBarItemBackground = 24;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarPopupTheme}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarPopupTheme
*/
public static final int Theme_actionBarPopupTheme = 17;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarSize}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
<p>May be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>wrap_content</code></td><td>0</td><td></td></tr>
</table>
@attr name com.mymaps:actionBarSize
*/
public static final int Theme_actionBarSize = 22;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarSplitStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarSplitStyle
*/
public static final int Theme_actionBarSplitStyle = 19;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarStyle
*/
public static final int Theme_actionBarStyle = 18;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarTabBarStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarTabBarStyle
*/
public static final int Theme_actionBarTabBarStyle = 13;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarTabStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarTabStyle
*/
public static final int Theme_actionBarTabStyle = 12;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarTabTextStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarTabTextStyle
*/
public static final int Theme_actionBarTabTextStyle = 14;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarTheme}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarTheme
*/
public static final int Theme_actionBarTheme = 20;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionBarWidgetTheme}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionBarWidgetTheme
*/
public static final int Theme_actionBarWidgetTheme = 21;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionButtonStyle
*/
public static final int Theme_actionButtonStyle = 49;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionDropDownStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionDropDownStyle
*/
public static final int Theme_actionDropDownStyle = 45;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionMenuTextAppearance}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionMenuTextAppearance
*/
public static final int Theme_actionMenuTextAppearance = 25;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionMenuTextColor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:actionMenuTextColor
*/
public static final int Theme_actionMenuTextColor = 26;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeBackground
*/
public static final int Theme_actionModeBackground = 29;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeCloseButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeCloseButtonStyle
*/
public static final int Theme_actionModeCloseButtonStyle = 28;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeCloseDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeCloseDrawable
*/
public static final int Theme_actionModeCloseDrawable = 31;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeCopyDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeCopyDrawable
*/
public static final int Theme_actionModeCopyDrawable = 33;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeCutDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeCutDrawable
*/
public static final int Theme_actionModeCutDrawable = 32;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeFindDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeFindDrawable
*/
public static final int Theme_actionModeFindDrawable = 37;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModePasteDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModePasteDrawable
*/
public static final int Theme_actionModePasteDrawable = 34;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModePopupWindowStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModePopupWindowStyle
*/
public static final int Theme_actionModePopupWindowStyle = 39;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeSelectAllDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeSelectAllDrawable
*/
public static final int Theme_actionModeSelectAllDrawable = 35;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeShareDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeShareDrawable
*/
public static final int Theme_actionModeShareDrawable = 36;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeSplitBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeSplitBackground
*/
public static final int Theme_actionModeSplitBackground = 30;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeStyle
*/
public static final int Theme_actionModeStyle = 27;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionModeWebSearchDrawable}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionModeWebSearchDrawable
*/
public static final int Theme_actionModeWebSearchDrawable = 38;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionOverflowButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionOverflowButtonStyle
*/
public static final int Theme_actionOverflowButtonStyle = 15;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#actionOverflowMenuStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:actionOverflowMenuStyle
*/
public static final int Theme_actionOverflowMenuStyle = 16;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#activityChooserViewStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:activityChooserViewStyle
*/
public static final int Theme_activityChooserViewStyle = 57;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#alertDialogButtonGroupStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:alertDialogButtonGroupStyle
*/
public static final int Theme_alertDialogButtonGroupStyle = 91;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#alertDialogCenterButtons}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:alertDialogCenterButtons
*/
public static final int Theme_alertDialogCenterButtons = 92;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#alertDialogStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:alertDialogStyle
*/
public static final int Theme_alertDialogStyle = 90;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#alertDialogTheme}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:alertDialogTheme
*/
public static final int Theme_alertDialogTheme = 93;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
attribute's value can be found in the {@link #Theme} array.
@attr name android:windowAnimationStyle
*/
public static final int Theme_android_windowAnimationStyle = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowIsFloating}
attribute's value can be found in the {@link #Theme} array.
@attr name android:windowIsFloating
*/
public static final int Theme_android_windowIsFloating = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#autoCompleteTextViewStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:autoCompleteTextViewStyle
*/
public static final int Theme_autoCompleteTextViewStyle = 98;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#borderlessButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:borderlessButtonStyle
*/
public static final int Theme_borderlessButtonStyle = 54;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonBarButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonBarButtonStyle
*/
public static final int Theme_buttonBarButtonStyle = 51;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonBarNegativeButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonBarNegativeButtonStyle
*/
public static final int Theme_buttonBarNegativeButtonStyle = 96;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonBarNeutralButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonBarNeutralButtonStyle
*/
public static final int Theme_buttonBarNeutralButtonStyle = 97;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonBarPositiveButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonBarPositiveButtonStyle
*/
public static final int Theme_buttonBarPositiveButtonStyle = 95;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonBarStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonBarStyle
*/
public static final int Theme_buttonBarStyle = 50;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonStyle
*/
public static final int Theme_buttonStyle = 99;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#buttonStyleSmall}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:buttonStyleSmall
*/
public static final int Theme_buttonStyleSmall = 100;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#checkboxStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:checkboxStyle
*/
public static final int Theme_checkboxStyle = 101;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#checkedTextViewStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:checkedTextViewStyle
*/
public static final int Theme_checkedTextViewStyle = 102;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorAccent}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorAccent
*/
public static final int Theme_colorAccent = 83;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorButtonNormal}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorButtonNormal
*/
public static final int Theme_colorButtonNormal = 87;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorControlActivated}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorControlActivated
*/
public static final int Theme_colorControlActivated = 85;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorControlHighlight}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorControlHighlight
*/
public static final int Theme_colorControlHighlight = 86;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorControlNormal}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorControlNormal
*/
public static final int Theme_colorControlNormal = 84;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorPrimary}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorPrimary
*/
public static final int Theme_colorPrimary = 81;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorPrimaryDark}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorPrimaryDark
*/
public static final int Theme_colorPrimaryDark = 82;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#colorSwitchThumbNormal}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:colorSwitchThumbNormal
*/
public static final int Theme_colorSwitchThumbNormal = 88;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#controlBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:controlBackground
*/
public static final int Theme_controlBackground = 89;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dialogPreferredPadding}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:dialogPreferredPadding
*/
public static final int Theme_dialogPreferredPadding = 43;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dialogTheme}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:dialogTheme
*/
public static final int Theme_dialogTheme = 42;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dividerHorizontal}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:dividerHorizontal
*/
public static final int Theme_dividerHorizontal = 56;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dividerVertical}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:dividerVertical
*/
public static final int Theme_dividerVertical = 55;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dropDownListViewStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:dropDownListViewStyle
*/
public static final int Theme_dropDownListViewStyle = 73;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#dropdownListPreferredItemHeight}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:dropdownListPreferredItemHeight
*/
public static final int Theme_dropdownListPreferredItemHeight = 46;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#editTextBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:editTextBackground
*/
public static final int Theme_editTextBackground = 63;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#editTextColor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:editTextColor
*/
public static final int Theme_editTextColor = 62;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#editTextStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:editTextStyle
*/
public static final int Theme_editTextStyle = 103;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#homeAsUpIndicator}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:homeAsUpIndicator
*/
public static final int Theme_homeAsUpIndicator = 48;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listChoiceBackgroundIndicator}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:listChoiceBackgroundIndicator
*/
public static final int Theme_listChoiceBackgroundIndicator = 80;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listDividerAlertDialog}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:listDividerAlertDialog
*/
public static final int Theme_listDividerAlertDialog = 44;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listPopupWindowStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:listPopupWindowStyle
*/
public static final int Theme_listPopupWindowStyle = 74;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listPreferredItemHeight}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:listPreferredItemHeight
*/
public static final int Theme_listPreferredItemHeight = 68;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listPreferredItemHeightLarge}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:listPreferredItemHeightLarge
*/
public static final int Theme_listPreferredItemHeightLarge = 70;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listPreferredItemHeightSmall}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:listPreferredItemHeightSmall
*/
public static final int Theme_listPreferredItemHeightSmall = 69;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listPreferredItemPaddingLeft}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:listPreferredItemPaddingLeft
*/
public static final int Theme_listPreferredItemPaddingLeft = 71;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#listPreferredItemPaddingRight}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:listPreferredItemPaddingRight
*/
public static final int Theme_listPreferredItemPaddingRight = 72;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#panelBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:panelBackground
*/
public static final int Theme_panelBackground = 77;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#panelMenuListTheme}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:panelMenuListTheme
*/
public static final int Theme_panelMenuListTheme = 79;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#panelMenuListWidth}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:panelMenuListWidth
*/
public static final int Theme_panelMenuListWidth = 78;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#popupMenuStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:popupMenuStyle
*/
public static final int Theme_popupMenuStyle = 60;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#popupWindowStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:popupWindowStyle
*/
public static final int Theme_popupWindowStyle = 61;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#radioButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:radioButtonStyle
*/
public static final int Theme_radioButtonStyle = 104;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#ratingBarStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:ratingBarStyle
*/
public static final int Theme_ratingBarStyle = 105;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#searchViewStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:searchViewStyle
*/
public static final int Theme_searchViewStyle = 67;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#selectableItemBackground}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:selectableItemBackground
*/
public static final int Theme_selectableItemBackground = 52;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#selectableItemBackgroundBorderless}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:selectableItemBackgroundBorderless
*/
public static final int Theme_selectableItemBackgroundBorderless = 53;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#spinnerDropDownItemStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:spinnerDropDownItemStyle
*/
public static final int Theme_spinnerDropDownItemStyle = 47;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#spinnerStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:spinnerStyle
*/
public static final int Theme_spinnerStyle = 106;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#switchStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:switchStyle
*/
public static final int Theme_switchStyle = 107;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAppearanceLargePopupMenu}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:textAppearanceLargePopupMenu
*/
public static final int Theme_textAppearanceLargePopupMenu = 40;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAppearanceListItem}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:textAppearanceListItem
*/
public static final int Theme_textAppearanceListItem = 75;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAppearanceListItemSmall}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:textAppearanceListItemSmall
*/
public static final int Theme_textAppearanceListItemSmall = 76;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAppearanceSearchResultSubtitle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:textAppearanceSearchResultSubtitle
*/
public static final int Theme_textAppearanceSearchResultSubtitle = 65;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAppearanceSearchResultTitle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:textAppearanceSearchResultTitle
*/
public static final int Theme_textAppearanceSearchResultTitle = 64;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textAppearanceSmallPopupMenu}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:textAppearanceSmallPopupMenu
*/
public static final int Theme_textAppearanceSmallPopupMenu = 41;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textColorAlertDialogListItem}
attribute's value can be found in the {@link #Theme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:textColorAlertDialogListItem
*/
public static final int Theme_textColorAlertDialogListItem = 94;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#textColorSearchUrl}
attribute's value can be found in the {@link #Theme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.mymaps:textColorSearchUrl
*/
public static final int Theme_textColorSearchUrl = 66;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#toolbarNavigationButtonStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:toolbarNavigationButtonStyle
*/
public static final int Theme_toolbarNavigationButtonStyle = 59;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#toolbarStyle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:toolbarStyle
*/
public static final int Theme_toolbarStyle = 58;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowActionBar}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowActionBar
*/
public static final int Theme_windowActionBar = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowActionBarOverlay}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowActionBarOverlay
*/
public static final int Theme_windowActionBarOverlay = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowActionModeOverlay}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowActionModeOverlay
*/
public static final int Theme_windowActionModeOverlay = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowFixedHeightMajor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowFixedHeightMajor
*/
public static final int Theme_windowFixedHeightMajor = 9;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowFixedHeightMinor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowFixedHeightMinor
*/
public static final int Theme_windowFixedHeightMinor = 7;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowFixedWidthMajor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowFixedWidthMajor
*/
public static final int Theme_windowFixedWidthMajor = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowFixedWidthMinor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowFixedWidthMinor
*/
public static final int Theme_windowFixedWidthMinor = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowMinWidthMajor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowMinWidthMajor
*/
public static final int Theme_windowMinWidthMajor = 10;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowMinWidthMinor}
attribute's value can be found in the {@link #Theme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowMinWidthMinor
*/
public static final int Theme_windowMinWidthMinor = 11;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#windowNoTitle}
attribute's value can be found in the {@link #Theme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:windowNoTitle
*/
public static final int Theme_windowNoTitle = 3;
/** Attributes that can be used with a Toolbar.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #Toolbar_android_gravity android:gravity}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_android_minHeight android:minHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseContentDescription com.mymaps:collapseContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseIcon com.mymaps:collapseIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetEnd com.mymaps:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetLeft com.mymaps:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetRight com.mymaps:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetStart com.mymaps:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logo com.mymaps:logo}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logoDescription com.mymaps:logoDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_maxButtonHeight com.mymaps:maxButtonHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationContentDescription com.mymaps:navigationContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationIcon com.mymaps:navigationIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_popupTheme com.mymaps:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitle com.mymaps:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextAppearance com.mymaps:subtitleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextColor com.mymaps:subtitleTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_title com.mymaps:title}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginBottom com.mymaps:titleMarginBottom}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginEnd com.mymaps:titleMarginEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginStart com.mymaps:titleMarginStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginTop com.mymaps:titleMarginTop}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMargins com.mymaps:titleMargins}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextAppearance com.mymaps:titleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextColor com.mymaps:titleTextColor}</code></td><td></td></tr>
</table>
@see #Toolbar_android_gravity
@see #Toolbar_android_minHeight
@see #Toolbar_collapseContentDescription
@see #Toolbar_collapseIcon
@see #Toolbar_contentInsetEnd
@see #Toolbar_contentInsetLeft
@see #Toolbar_contentInsetRight
@see #Toolbar_contentInsetStart
@see #Toolbar_logo
@see #Toolbar_logoDescription
@see #Toolbar_maxButtonHeight
@see #Toolbar_navigationContentDescription
@see #Toolbar_navigationIcon
@see #Toolbar_popupTheme
@see #Toolbar_subtitle
@see #Toolbar_subtitleTextAppearance
@see #Toolbar_subtitleTextColor
@see #Toolbar_title
@see #Toolbar_titleMarginBottom
@see #Toolbar_titleMarginEnd
@see #Toolbar_titleMarginStart
@see #Toolbar_titleMarginTop
@see #Toolbar_titleMargins
@see #Toolbar_titleTextAppearance
@see #Toolbar_titleTextColor
*/
public static final int[] Toolbar = {
0x010100af, 0x01010140, 0x7f010024, 0x7f010027,
0x7f01002b, 0x7f010037, 0x7f010038, 0x7f010039,
0x7f01003a, 0x7f01003c, 0x7f0100d8, 0x7f0100d9,
0x7f0100da, 0x7f0100db, 0x7f0100dc, 0x7f0100dd,
0x7f0100de, 0x7f0100df, 0x7f0100e0, 0x7f0100e1,
0x7f0100e2, 0x7f0100e3, 0x7f0100e4, 0x7f0100e5,
0x7f0100e6
};
/**
<p>This symbol is the offset where the {@link android.R.attr#gravity}
attribute's value can be found in the {@link #Toolbar} array.
@attr name android:gravity
*/
public static final int Toolbar_android_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#minHeight}
attribute's value can be found in the {@link #Toolbar} array.
@attr name android:minHeight
*/
public static final int Toolbar_android_minHeight = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#collapseContentDescription}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:collapseContentDescription
*/
public static final int Toolbar_collapseContentDescription = 19;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#collapseIcon}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:collapseIcon
*/
public static final int Toolbar_collapseIcon = 18;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetEnd}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetEnd
*/
public static final int Toolbar_contentInsetEnd = 6;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetLeft}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetLeft
*/
public static final int Toolbar_contentInsetLeft = 7;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetRight}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetRight
*/
public static final int Toolbar_contentInsetRight = 8;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#contentInsetStart}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:contentInsetStart
*/
public static final int Toolbar_contentInsetStart = 5;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#logo}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:logo
*/
public static final int Toolbar_logo = 4;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#logoDescription}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:logoDescription
*/
public static final int Toolbar_logoDescription = 22;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#maxButtonHeight}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:maxButtonHeight
*/
public static final int Toolbar_maxButtonHeight = 17;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#navigationContentDescription}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:navigationContentDescription
*/
public static final int Toolbar_navigationContentDescription = 21;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#navigationIcon}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:navigationIcon
*/
public static final int Toolbar_navigationIcon = 20;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#popupTheme}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:popupTheme
*/
public static final int Toolbar_popupTheme = 9;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#subtitle}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:subtitle
*/
public static final int Toolbar_subtitle = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#subtitleTextAppearance}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:subtitleTextAppearance
*/
public static final int Toolbar_subtitleTextAppearance = 11;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#subtitleTextColor}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:subtitleTextColor
*/
public static final int Toolbar_subtitleTextColor = 24;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#title}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:title
*/
public static final int Toolbar_title = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleMarginBottom}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:titleMarginBottom
*/
public static final int Toolbar_titleMarginBottom = 16;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleMarginEnd}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:titleMarginEnd
*/
public static final int Toolbar_titleMarginEnd = 14;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleMarginStart}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:titleMarginStart
*/
public static final int Toolbar_titleMarginStart = 13;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleMarginTop}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:titleMarginTop
*/
public static final int Toolbar_titleMarginTop = 15;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleMargins}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:titleMargins
*/
public static final int Toolbar_titleMargins = 12;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleTextAppearance}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:titleTextAppearance
*/
public static final int Toolbar_titleTextAppearance = 10;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#titleTextColor}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:titleTextColor
*/
public static final int Toolbar_titleTextColor = 23;
/** Attributes that can be used with a View.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #View_android_focusable android:focusable}</code></td><td></td></tr>
<tr><td><code>{@link #View_android_theme android:theme}</code></td><td></td></tr>
<tr><td><code>{@link #View_paddingEnd com.mymaps:paddingEnd}</code></td><td></td></tr>
<tr><td><code>{@link #View_paddingStart com.mymaps:paddingStart}</code></td><td></td></tr>
<tr><td><code>{@link #View_theme com.mymaps: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, 0x7f0100e7, 0x7f0100e8,
0x7f0100e9
};
/**
<p>This symbol is the offset where the {@link android.R.attr#focusable}
attribute's value can be found in the {@link #View} array.
@attr name android:focusable
*/
public static final int View_android_focusable = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#theme}
attribute's value can be found in the {@link #View} array.
@attr name android:theme
*/
public static final int View_android_theme = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#paddingEnd}
attribute's value can be found in the {@link #View} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:paddingEnd
*/
public static final int View_paddingEnd = 3;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#paddingStart}
attribute's value can be found in the {@link #View} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:paddingStart
*/
public static final int View_paddingStart = 2;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#theme}
attribute's value can be found in the {@link #View} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.mymaps:theme
*/
public static final int View_theme = 4;
/** Attributes that can be used with a ViewBackgroundHelper.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ViewBackgroundHelper_android_background android:background}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTint com.mymaps:backgroundTint}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode com.mymaps:backgroundTintMode}</code></td><td></td></tr>
</table>
@see #ViewBackgroundHelper_android_background
@see #ViewBackgroundHelper_backgroundTint
@see #ViewBackgroundHelper_backgroundTintMode
*/
public static final int[] ViewBackgroundHelper = {
0x010100d4, 0x7f0100ea, 0x7f0100eb
};
/**
<p>This symbol is the offset where the {@link android.R.attr#background}
attribute's value can be found in the {@link #ViewBackgroundHelper} array.
@attr name android:background
*/
public static final int ViewBackgroundHelper_android_background = 0;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#backgroundTint}
attribute's value can be found in the {@link #ViewBackgroundHelper} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.mymaps:backgroundTint
*/
public static final int ViewBackgroundHelper_backgroundTint = 1;
/**
<p>This symbol is the offset where the {@link com.mymaps.R.attr#backgroundTintMode}
attribute's value can be found in the {@link #ViewBackgroundHelper} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
@attr name com.mymaps:backgroundTintMode
*/
public static final int ViewBackgroundHelper_backgroundTintMode = 2;
/** Attributes that can be used with a ViewStubCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ViewStubCompat_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #ViewStubCompat_android_inflatedId android:inflatedId}</code></td><td></td></tr>
<tr><td><code>{@link #ViewStubCompat_android_layout android:layout}</code></td><td></td></tr>
</table>
@see #ViewStubCompat_android_id
@see #ViewStubCompat_android_inflatedId
@see #ViewStubCompat_android_layout
*/
public static final int[] ViewStubCompat = {
0x010100d0, 0x010100f2, 0x010100f3
};
/**
<p>This symbol is the offset where the {@link android.R.attr#id}
attribute's value can be found in the {@link #ViewStubCompat} array.
@attr name android:id
*/
public static final int ViewStubCompat_android_id = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#inflatedId}
attribute's value can be found in the {@link #ViewStubCompat} array.
@attr name android:inflatedId
*/
public static final int ViewStubCompat_android_inflatedId = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout}
attribute's value can be found in the {@link #ViewStubCompat} array.
@attr name android:layout
*/
public static final int ViewStubCompat_android_layout = 1;
/** Attributes for the WalletFragment <fragment> tag
<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 #WalletFragmentOptions_appTheme com.mymaps:appTheme}</code></td><td> Theme to be used for the Wallet selector </td></tr>
<tr><td><code>{@link #WalletFragmentOptions_environment com.mymaps:environment}</code></td><td> Google Wallet environment to use </td></tr>
<tr><td><code>{@link #WalletFragmentOptions_fragmentMode com.mymaps:fragmentMode}</code></td><td> Fragment mode </td></tr>
<tr><td><code>{@link #WalletFragmentOptions_fragmentStyle com.mymaps:fragmentStyle}</code></td><td> A style resource specifing attributes to customize the look and feel of WalletFragment </td></tr>
</table>
@see #WalletFragmentOptions_appTheme
@see #WalletFragmentOptions_environment
@see #WalletFragmentOptions_fragmentMode
@see #WalletFragmentOptions_fragmentStyle
*/
public static final int[] WalletFragmentOptions = {
0x7f010000, 0x7f010001, 0x7f010002, 0x7f010003
};
/**
<p>
@attr description
Theme to be used for the Wallet selector
<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>holo_dark</code></td><td>0</td><td></td></tr>
<tr><td><code>holo_light</code></td><td>1</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:appTheme
*/
public static final int WalletFragmentOptions_appTheme = 0;
/**
<p>
@attr description
Google Wallet environment to use
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>production</code></td><td>1</td><td></td></tr>
<tr><td><code>test</code></td><td>3</td><td></td></tr>
<tr><td><code>sandbox</code></td><td>0</td><td></td></tr>
<tr><td><code>strict_sandbox</code></td><td>2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:environment
*/
public static final int WalletFragmentOptions_environment = 1;
/**
<p>
@attr description
Fragment mode
<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>buyButton</code></td><td>1</td><td></td></tr>
<tr><td><code>selectionDetails</code></td><td>2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:fragmentMode
*/
public static final int WalletFragmentOptions_fragmentMode = 3;
/**
<p>
@attr description
A style resource specifing attributes to customize the look and feel of WalletFragment
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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>This is a private symbol.
@attr name com.mymaps:fragmentStyle
*/
public static final int WalletFragmentOptions_fragmentStyle = 2;
/** Attributes that may be specified in a style resource to customize the look and feel of
WalletFragment
<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 #WalletFragmentStyle_buyButtonAppearance com.mymaps:buyButtonAppearance}</code></td><td> The appearance of the buy button </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_buyButtonHeight com.mymaps:buyButtonHeight}</code></td><td> Height of the buy button.</td></tr>
<tr><td><code>{@link #WalletFragmentStyle_buyButtonText com.mymaps:buyButtonText}</code></td><td> The text on the buy button </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_buyButtonWidth com.mymaps:buyButtonWidth}</code></td><td> Width of the buy button.</td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsBackground com.mymaps:maskedWalletDetailsBackground}</code></td><td> Masked wallet details background </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsButtonBackground com.mymaps:maskedWalletDetailsButtonBackground}</code></td><td> "Change" button background in masked wallet details view </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsButtonTextAppearance com.mymaps:maskedWalletDetailsButtonTextAppearance}</code></td><td> TextAppearance for the "Change" button in masked wallet details view </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsHeaderTextAppearance com.mymaps:maskedWalletDetailsHeaderTextAppearance}</code></td><td> TextAppearance for headers describing masked wallet details </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsLogoImageType com.mymaps:maskedWalletDetailsLogoImageType}</code></td><td> Type of the wallet logo image in masked wallet details view </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsLogoTextColor com.mymaps:maskedWalletDetailsLogoTextColor}</code></td><td> Color of the Google Wallet logo text in masked wallet details view </td></tr>
<tr><td><code>{@link #WalletFragmentStyle_maskedWalletDetailsTextAppearance com.mymaps:maskedWalletDetailsTextAppearance}</code></td><td> TextAppearance for masked wallet details </td></tr>
</table>
@see #WalletFragmentStyle_buyButtonAppearance
@see #WalletFragmentStyle_buyButtonHeight
@see #WalletFragmentStyle_buyButtonText
@see #WalletFragmentStyle_buyButtonWidth
@see #WalletFragmentStyle_maskedWalletDetailsBackground
@see #WalletFragmentStyle_maskedWalletDetailsButtonBackground
@see #WalletFragmentStyle_maskedWalletDetailsButtonTextAppearance
@see #WalletFragmentStyle_maskedWalletDetailsHeaderTextAppearance
@see #WalletFragmentStyle_maskedWalletDetailsLogoImageType
@see #WalletFragmentStyle_maskedWalletDetailsLogoTextColor
@see #WalletFragmentStyle_maskedWalletDetailsTextAppearance
*/
public static final int[] WalletFragmentStyle = {
0x7f010004, 0x7f010005, 0x7f010006, 0x7f010007,
0x7f010008, 0x7f010009, 0x7f01000a, 0x7f01000b,
0x7f01000c, 0x7f01000d, 0x7f01000e
};
/**
<p>
@attr description
The appearance of the buy button
<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>google_wallet_classic</code></td><td>1</td><td></td></tr>
<tr><td><code>google_wallet_grayscale</code></td><td>2</td><td></td></tr>
<tr><td><code>google_wallet_monochrome</code></td><td>3</td><td></td></tr>
<tr><td><code>android_pay_dark</code></td><td>4</td><td></td></tr>
<tr><td><code>android_pay_light</code></td><td>5</td><td></td></tr>
<tr><td><code>android_pay_light_with_border</code></td><td>6</td><td></td></tr>
<tr><td><code>classic</code></td><td>1</td><td> Deprecated values </td></tr>
<tr><td><code>grayscale</code></td><td>2</td><td></td></tr>
<tr><td><code>monochrome</code></td><td>3</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:buyButtonAppearance
*/
public static final int WalletFragmentStyle_buyButtonAppearance = 3;
/**
<p>
@attr description
Height of the buy button. This includes an 8dp padding (4dp on each side) used for
pressed and focused states of the button. The value can be a specific height, e.g.
"48dp", or special values "match_parent" and "wrap_content".
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></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>match_parent</code></td><td>-1</td><td></td></tr>
<tr><td><code>wrap_content</code></td><td>-2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:buyButtonHeight
*/
public static final int WalletFragmentStyle_buyButtonHeight = 0;
/**
<p>
@attr description
The text on the buy button
<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>buy_with</code></td><td>5</td><td></td></tr>
<tr><td><code>logo_only</code></td><td>6</td><td></td></tr>
<tr><td><code>donate_with</code></td><td>7</td><td></td></tr>
<tr><td><code>buy_with_google</code></td><td>1</td><td> Deprecated values </td></tr>
<tr><td><code>buy_now</code></td><td>2</td><td></td></tr>
<tr><td><code>book_now</code></td><td>3</td><td></td></tr>
<tr><td><code>donate_with_google</code></td><td>4</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:buyButtonText
*/
public static final int WalletFragmentStyle_buyButtonText = 2;
/**
<p>
@attr description
Width of the buy button. This includes an 8dp padding (4dp on each side) used for
pressed and focused states of the button. The value can be a specific width, e.g.
"300dp", or special values "match_parent" and "wrap_content".
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></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>match_parent</code></td><td>-1</td><td></td></tr>
<tr><td><code>wrap_content</code></td><td>-2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:buyButtonWidth
*/
public static final int WalletFragmentStyle_buyButtonWidth = 1;
/**
<p>
@attr description
Masked wallet details background
<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>".
<p>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsBackground
*/
public static final int WalletFragmentStyle_maskedWalletDetailsBackground = 6;
/**
<p>
@attr description
"Change" button background in masked wallet details view
<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>".
<p>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsButtonBackground
*/
public static final int WalletFragmentStyle_maskedWalletDetailsButtonBackground = 8;
/**
<p>
@attr description
TextAppearance for the "Change" button in masked wallet details view
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsButtonTextAppearance
*/
public static final int WalletFragmentStyle_maskedWalletDetailsButtonTextAppearance = 7;
/**
<p>
@attr description
TextAppearance for headers describing masked wallet details
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsHeaderTextAppearance
*/
public static final int WalletFragmentStyle_maskedWalletDetailsHeaderTextAppearance = 5;
/**
<p>
@attr description
Type of the wallet logo image in masked wallet details view
<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>google_wallet_classic</code></td><td>1</td><td></td></tr>
<tr><td><code>google_wallet_monochrome</code></td><td>2</td><td></td></tr>
<tr><td><code>android_pay</code></td><td>3</td><td></td></tr>
<tr><td><code>classic</code></td><td>1</td><td> Deprecated values </td></tr>
<tr><td><code>monochrome</code></td><td>2</td><td></td></tr>
</table>
<p>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsLogoImageType
*/
public static final int WalletFragmentStyle_maskedWalletDetailsLogoImageType = 10;
/**
<p>
@attr description
Color of the Google Wallet logo text in masked wallet details view
<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.
<p>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsLogoTextColor
*/
public static final int WalletFragmentStyle_maskedWalletDetailsLogoTextColor = 9;
/**
<p>
@attr description
TextAppearance for masked wallet details
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</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>This is a private symbol.
@attr name com.mymaps:maskedWalletDetailsTextAppearance
*/
public static final int WalletFragmentStyle_maskedWalletDetailsTextAppearance = 4;
};
}
| [
"markoliverdulay3@gmail.com"
] | markoliverdulay3@gmail.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.