blob_id
stringlengths 40
40
| directory_id
stringlengths 40
40
| path
stringlengths 4
410
| content_id
stringlengths 40
40
| detected_licenses
sequencelengths 0
51
| license_type
stringclasses 2
values | repo_name
stringlengths 5
132
| snapshot_id
stringlengths 40
40
| revision_id
stringlengths 40
40
| branch_name
stringlengths 4
80
| visit_date
timestamp[us] | revision_date
timestamp[us] | committer_date
timestamp[us] | github_id
int64 5.85k
689M
⌀ | star_events_count
int64 0
209k
| fork_events_count
int64 0
110k
| gha_license_id
stringclasses 22
values | gha_event_created_at
timestamp[us] | gha_created_at
timestamp[us] | gha_language
stringclasses 131
values | src_encoding
stringclasses 34
values | language
stringclasses 1
value | is_vendor
bool 1
class | is_generated
bool 2
classes | length_bytes
int64 3
9.45M
| extension
stringclasses 32
values | content
stringlengths 3
9.45M
| authors
sequencelengths 1
1
| author_id
stringlengths 0
313
|
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
b6d7f35b8fa8fbf5d714a7eaaa5f5aee4f5fcf62 | 14a7ea722bbbd78f965439fe9a5c5b06b1532336 | /src/main/java/imie/campus/CampusWS.java | cb93c44b3ff51da879822dfdd6497b8482b64da7 | [] | no_license | Ziguard/Java_CovoiturageBack | 4271964ad56177ae594210c4224f6c097a205d58 | dc142813fd279e1be4b08c8fd9f7ddcfca8092df | refs/heads/master | 2020-03-27T11:07:07.009763 | 2018-08-28T15:14:45 | 2018-08-28T15:14:45 | 146,466,510 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 608 | java | package imie.campus;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.scheduling.annotation.EnableScheduling;
/**
* The main entrypoint of the WebService application.
*/
@SpringBootApplication
@EnableScheduling
@ComponentScan(basePackages = "imie.campus")
public class CampusWS {
/**
* Launch the application
* @param args The arguments
*/
public static void main(String[] args) {
SpringApplication.run(CampusWS.class, args);
}
}
| [
"[email protected]"
] | |
dadf8d7e798a69bcb7a0eff7e3c3ae91f805b3fc | f9d9a166028b149f88d4383165d88d1b4a33f725 | /src/main/java/com/tauriel/demo/concurrent_demo/queue_demo/PriorityBlockingQueueAPITest.java | aa8afd60aa6561eac582c135f82a202a491e6f14 | [] | no_license | tauriel-miao/demo | a40818250e2c385475feb6ebf769adb93008fab8 | 80fe409bdf9e29a0da02c8c2bcce7822a147fd6e | refs/heads/master | 2022-12-25T00:20:18.440225 | 2019-06-13T12:16:06 | 2019-06-13T12:16:06 | 191,752,971 | 0 | 1 | null | 2022-12-15T23:28:40 | 2019-06-13T11:48:49 | JavaScript | UTF-8 | Java | false | false | 2,727 | java | package com.tauriel.demo.concurrent_demo.queue_demo;
import org.junit.Test;
import java.util.concurrent.PriorityBlockingQueue;
import java.util.concurrent.TimeUnit;
/**
* 如果从一个 PriorityBlockingQueue 获得一个 Iterator 的话,该 Iterator 并不 能保证它对元素的遍历是以优先级为序的
*/
public class PriorityBlockingQueueAPITest {
/**
* add(), put(), offer(), offer(e, timeout, unit) 添加
* 每次添加时都需要与queue中最后一个元素及他的所有父节点进行比较
*/
@Test
public void offerTest(){
//在没有比较器得情况下, 添加时默认按最小堆排序
//优先队列初始大小为11,会不断扩容,所以不存在阻塞
PriorityBlockingQueue<Integer> queue = new PriorityBlockingQueue<>();
queue.add(9);
queue.put(28);
queue.offer(7);
queue.offer(5);
queue.offer(36);
queue.offer(3);
System.out.println(queue.toString());
}
/**
* poll(), remove() 获取数据后,队列需要重新按照最大堆/最小堆的排序方式排序
* poll(timeout, timeunit), take() --> 阻塞(其中poll超时解除阻塞)
* @throws InterruptedException
*/
@Test
public void pollTest() throws InterruptedException {
PriorityBlockingQueue<Integer> queue = new PriorityBlockingQueue<>();
queue.add(9);
queue.put(28);
queue.offer(7);
System.out.println("queue = " + queue);
queue.offer(5);
System.out.println(queue.toString());
Integer int1 = queue.poll();
System.out.println("int1 = " + int1 + " , queue = " + queue);
Integer int2 = queue.poll(4, TimeUnit.NANOSECONDS);
System.out.println("int2 = " + int2 + " , queue = " + queue);
Integer int3 = queue.take();
System.out.println("int3 = " + int3 + " , queue = " + queue);
Integer int4 = queue.remove();
System.out.println("int4 = " + int4 + " , queue = " + queue);
Integer int6 = queue.poll(4, TimeUnit.NANOSECONDS);
System.out.println("int6 = " + int6 + " , queue = " + queue);
Integer int5 = queue.poll();
System.out.println("int5 = " + int5 + " , queue = " + queue);
}
/**
* peek() 查询第一个元素
*/
@Test
public void peekTest(){
PriorityBlockingQueue<Integer> queue = new PriorityBlockingQueue<>();
queue.add(9);
queue.put(28);
queue.offer(7);
queue.offer(5);
System.out.println("peek() -->" + queue.peek());
System.out.println("peek() -->" + queue.peek());
System.out.println("queue = " + queue);
}
}
| [
"[email protected]"
] | |
002dbb5337c6003343aeac696f3c8956e1e0947b | 14577db8af287689a157320973826d616db2c620 | /dp-ordm-library/src/main/java/com/zeusas/dp/ordm/service/AliPaymentService.java | ead1abec109be8d70edaceb66f57812a655d08a5 | [] | no_license | wonsaign/dp-ordm | 21f44f4ad542f34352eae1b01c0327cb1139789f | b234db95412344726f557f56eb9d938ce73f1fd2 | refs/heads/master | 2020-03-08T07:38:15.009836 | 2018-04-04T03:15:23 | 2018-04-04T03:15:23 | 127,999,423 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 903 | java | package com.zeusas.dp.ordm.service;
import java.util.List;
import com.zeusas.core.service.IService;
import com.zeusas.core.service.ServiceException;
import com.zeusas.dp.ordm.entity.AliPayment;
import com.zeusas.security.auth.entity.AuthUser;
/**
*
* @author fengx
*@date 2017年1月17日 下午3:57:28
*/
public interface AliPaymentService extends IService<AliPayment, String> {
public boolean checkSuccess(String subject, String total_fee,
String out_trade_no) throws ServiceException;
public boolean combineCheckSuccess(String ali_total_fee,
String ali_trade_no) throws ServiceException;
public void updateAlipayStatus(String payStatus,String orderNo,double paymentPrice) throws ServiceException;
public boolean updateOUN(String orderID,AuthUser user)throws ServiceException;
public boolean updateCombineOUN(List<String> orderNos, AuthUser user)throws ServiceException;
}
| [
"[email protected]"
] | |
c7f716f82f82abd7bce05732a7d9af7bd0b7a097 | 414a2789e1641f4cff3a866c4ff328305dbc55c6 | /src/main/java/com/martianrobots/MarsSurface.java | 8c349cd8bb71019d72dec00c62dc8ecbba4cd4bd | [] | no_license | snarsian/MarsExplorerProject | dddbb45102f6d9a0d97d1234213201c1af4e96f9 | 6de341ae612df9cc8d2c75e6efc25bf4e7ec720c | refs/heads/master | 2021-03-30T23:06:40.655844 | 2018-03-11T04:09:23 | 2018-03-11T04:09:23 | 124,538,772 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,503 | java | package com.martianrobots;
import com.martianrobots.model.Position;
import java.util.ArrayList;
import java.util.List;
import static com.martianrobots.model.Position.position;
public class MarsSurface {
private Position topRight;
private Position bottomLeft = position(0, 0);
private List<Position> positionsToAvoid;
public MarsSurface(int topRightXCoordinate, int topRightYCoordinate) {
validateTheInputCoordinates(topRightXCoordinate, topRightYCoordinate);
this.topRight = position(topRightXCoordinate, topRightYCoordinate);
this.positionsToAvoid = new ArrayList<Position>();
}
private void validateTheInputCoordinates(int topRightXPosition, int topRightYPosition) {
if (topRightXPosition > 50 || topRightYPosition > 50) {
throw new IllegalArgumentException("Top Right Position Coordinates cannot be greater than 50");
}
}
public boolean isWithinBounds(Position position) {
return position.getXCoordinate() <= topRight.getXCoordinate()
&& position.getYCoordinate() <= topRight.getYCoordinate()
&& position.getXCoordinate() >= bottomLeft.getXCoordinate()
&& position.getYCoordinate() >= bottomLeft.getYCoordinate();
}
public void addPositionsToAvoid(Position position) {
positionsToAvoid.add(position);
}
public boolean isPositionMarkedToBeIgnored(Position position) {
return positionsToAvoid.contains(position);
}
}
| [
"[email protected]"
] | |
f19ed95d739c758c56fd0e5344aedc8bfcf04cc0 | 6564ef0668a7f76f4453f9eaff6130c12121301d | /src/test/java/ru/netology/MobileBankApiTestV1.java | 06814ce56e11051e2d27f9ea952c1aa97026c0d9 | [] | no_license | NikolayT35/T-2.3-POST | 8ee7254ad0325404d4a630a2ca624fc25cc80c67 | 0181c8afd2ed946ce85c6f8f7614598a4e6e7f4c | refs/heads/main | 2023-01-10T14:15:42.161037 | 2020-10-30T08:35:14 | 2020-10-30T08:35:14 | 307,978,441 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 570 | java | package ru.netology;
import org.junit.jupiter.api.Test;
import static io.restassured.RestAssured.given;
import static io.restassured.module.jsv.JsonSchemaValidator.matchesJsonSchemaInClasspath;
public class MobileBankApiTestV1 {
@Test
void shouldPost() {
given()
.baseUri("https://postman-echo.com")
.body("some data")
.when()
.post("/post")
.then()
.statusCode(200)
.body(matchesJsonSchemaInClasspath("accounts.schema.json"));
}
}
| [
"[email protected]"
] | |
bb063289831bd0cf39d68a9918695816fad05573 | c9846747cfbb5ac456f9751391fda11a92464e84 | /BaseProviderMultiAdapter_demo/app/src/test/java/com/example/baseprovidermultiadapter_demo/ExampleUnitTest.java | b7d8cb9a65a55e3f31cc134f71c9a1451efabbec | [] | no_license | JNova-J/Demo | c81e7fc270b53982f8d9cbc5d8f3a61cfb2b97e9 | 03f996fc52936ee7e84cf6945c117b57361e24f4 | refs/heads/master | 2023-03-31T20:01:48.446000 | 2021-03-22T06:14:57 | 2021-03-22T06:14:57 | 350,192,175 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 402 | java | package com.example.baseprovidermultiadapter_demo;
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);
}
} | [
"[email protected]"
] | |
c3bfe3024d832b6ac863f66e0eff5c58b0777700 | 989b34ac055f5507dc2b3daf9a2ec6aa4f35c9b3 | /comprehensivePractice/src/main/java/reading/nowCoderAlgorithm/temp/TempClass.java | b4c778df64d1f827adeae995fa516404e39d5b1f | [] | no_license | jhmarryme/JavaBasicLearning | c2accec799d0db34ced630c9214a7d54e791066e | 5e761b0432b17075e27e76cd16e7c288317c59ac | refs/heads/master | 2023-07-02T19:47:52.359301 | 2021-10-15T03:11:22 | 2021-10-15T03:11:22 | 214,568,699 | 0 | 3 | null | 2023-01-06T14:30:20 | 2019-10-12T03:10:49 | JavaScript | UTF-8 | Java | false | false | 322 | java | package reading.nowCoderAlgorithm.temp;
/**
* @author jhmarryme.cn
* @date 2019/7/28 9:16
*/
public class TempClass {
public static void main(String[] args) {
// Boolean.valueOf()
// BigInteger.probablePrime()
}
}
class Test{
protected Test(){
}
}
class ExtendsTest extends Test{
}
| [
"[email protected]"
] | |
23284c93d7f26be805791815005ae095ea8888ef | 8db37c26f25b2955de06ea926a84390d29de95c3 | /Model/Item.java | f4a7cda9308a5fb92fc509cc226b690557913623 | [] | no_license | afshinr1/ENSF-409 | f8e383a969525be4bfcb9acd847ceaa90ca56a1e | 401ed8e292217a2cd6078cb7d19e8d6070738b98 | refs/heads/master | 2022-04-28T01:08:42.993219 | 2020-04-24T22:07:40 | 2020-04-24T22:07:40 | 258,634,820 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,291 | java | package Model;
import Model.OrderLine;
import Model.Supplier;
/**
* Class that acts as a tool that will be sold by a retail tool shop.
*
* @author Afshin Rahman, Jase Pasay
*
*/
public class Item {
/**
* ID for the item
*/
private int itemId;
/**
* Name of the item.
*/
private String itemName;
/**
* Quantity of the item.
*/
private int itemQuantity;
/**
* Price of the item.
*/
private double itemPrice;
/**
* boolean to check if an item has already been ordered.
*/
private boolean alreadyOrdered;
/**
* a supplier of this item.
*/
private Supplier theSupplier;
/**
* Default amount of an item to be ordered.
*/
private static final int ORDERQUANTITY = 40;
/**
* Minimum threshold for an items quantity before more is ordered.
*/
private static final int MINIMUMUMBER = 20;
/**
* Constructor for the item.
*
* @param id the ID of the item.
* @param name the name of the item.
* @param quanitiy the quantity of the item.
* @param price the price of the item.
* @param sup a supplier for this item.
*/
public Item(int id, String name, int quanitiy, double price, Supplier sup) {
itemId = id;
itemName = name;
itemQuantity = quanitiy;
itemPrice = price;
sup = theSupplier;
setAlreadyOrdered(false);
}
/**
* Method used to decrease the quantity of this item.
*
* @return true if the items quantity was decreased, else false.
*/
public boolean decreaseItemQuantity() {
if (itemQuantity > 0) {
itemQuantity--;
return true;
} else
return false;
}
/**
* Method used to place an order for this item if the
* minimum threshold was met.
* @return an order line for this item if it wasn't already ordered and reached the threshold, else null.
*/
public OrderLine placeOrder() {
OrderLine ol;
if (getItemQuantity() < MINIMUMUMBER && alreadyOrdered == false) {
ol = new OrderLine(this, ORDERQUANTITY);
alreadyOrdered = true;
return ol;
}
return null;
}
/**
* Getter for the items ID.
* @return the items ID.
*/
public int getItemId() {
return itemId;
}
/**
* Setter for an items ID
* @param itemId the new ID.
*/
public void setItemId(int itemId) {
this.itemId = itemId;
}
/**
* Getter for items name.
* @return the items name.
*/
public String getItemName() {
return itemName;
}
/**
* Setter for an items name.
* @param itemName the new name.
*/
public void setItemName(String itemName) {
this.itemName = itemName;
}
/**
* Getter for an items quantity.
* @return the items quantity.
*/
public int getItemQuantity() {
return itemQuantity;
}
/**
* Setter for an items quantity.
* @param itemQuantity the new quantity.
*/
public void setItemQuantity(int itemQuantity) {
this.itemQuantity = itemQuantity;
}
/**
* Getter for an items price.
* @return the items price.
*/
public double getItemPrice() {
return itemPrice;
}
/**
* Setter for an items price.
* @param itemPrice the new price.
*/
public void setItemPrice(double itemPrice) {
this.itemPrice = itemPrice;
}
public void setTheSupplier(Supplier sup) {
theSupplier = sup;
}
/**
* Getter for the items supplier.
* @return the items supplier.
*/
public Supplier getTheSupplier() {
return theSupplier;
}
/**
* Convert the details of an item to a String
* @return the details of an item in a String.
*/
public String toString() {
return "Item ID: " + itemId + ", Item Name: " + itemName + ", Item Quantity: " + itemQuantity + "*";
}
public String toStringCustomer() {
return "Item Name: " + itemName + ", Item Quantity: " + itemQuantity + "*";
}
/**
* Method to check if an item has already been ordered.
* @return true if the item has been ordered, else false.
*/
public boolean isAlreadyOrdered() {
return alreadyOrdered;
}
/**
* Setter for setting if an item has been ordered.
* @param alreadyOrdered true or false depending on if the items been ordered.
*/
public void setAlreadyOrdered(boolean alreadyOrdered) {
this.alreadyOrdered = alreadyOrdered;
}
}
| [
"[email protected]"
] | |
1a922700d1a033e335a31e9532a3f45560a756ba | 4c7160dfa145a9064d6d8d6e53a2439a1df73d50 | /NetModule/src/main/java/com/heizi/mylibrary/retrofit2/BaseInterceptor.java | 97d2aa69cbc45693f3c4fcad05cbdf6da3ed7161 | [] | no_license | linalong/KuaGuo | 013cb774a69a643fad4d61626385939f3a283fc6 | 91e609c84c9f533e5cd08fab37e904ef28fb8a67 | refs/heads/master | 2020-03-11T02:27:15.614385 | 2018-06-07T06:46:19 | 2018-06-07T06:46:27 | 129,719,443 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 977 | java | package com.heizi.mylibrary.retrofit2;
import java.io.IOException;
import java.util.Map;
import java.util.Set;
import okhttp3.Interceptor;
import okhttp3.Request;
import okhttp3.Response;
/**
* BaseInterceptor
* Created by LIUYONGKUI726 on 2016-06-30.
* {@link # https://github.com/NeglectedByBoss/RetrofitClient}
*/
public class BaseInterceptor implements Interceptor{
private Map<String, String> headers;
public BaseInterceptor(Map<String, String> headers) {
this.headers = headers;
}
@Override
public Response intercept(Chain chain) throws IOException {
Request.Builder builder = chain.request()
.newBuilder();
if (headers != null && headers.size() > 0) {
Set<String> keys = headers.keySet();
for (String headerKey : keys) {
builder.addHeader(headerKey, headers.get(headerKey)).build();
}
}
return chain.proceed(builder.build());
}
} | [
"[email protected]"
] | |
2f5b2be53ab159c33e97eb0235bc8051582f7962 | b4f4b61fd221dbb4ec26afc9f7bf0131d8134402 | /HibernateMappingDemo/src/main/java/com/hibernate/HibernateDemo1/App.java | 3700a4975887ae325277a64461c848a4b3d7f95d | [] | no_license | gohilravi1999/HibernateDemo | fd5dc5061120dc7f4793f323f7fb70c642769e32 | 23de72bbd30ec2d24940906506c9b7e0e24fd302 | refs/heads/master | 2022-11-30T04:41:08.776867 | 2020-03-06T12:10:36 | 2020-03-06T12:10:36 | 245,408,641 | 0 | 0 | null | 2022-11-24T03:06:01 | 2020-03-06T12:00:38 | Java | UTF-8 | Java | false | false | 1,056 | java | package com.hibernate.HibernateDemo1;
import org.hibernate.Session;
import org.hibernate.SessionFactory;
import org.hibernate.Transaction;
import org.hibernate.cfg.Configuration;
public class App
{
public static void main( String[] args )
{
Student student = new Student();
Laptop laptop = new Laptop();
student.setMarks(50);
student.setName("Virat");
student.setRollno(1);
laptop.setLid(101);
laptop.setLname("Lenovo");
student.getLaptop().add(laptop);
laptop.getStudent().add(student);
Configuration config = new Configuration().configure().addAnnotatedClass(Student.class).addAnnotatedClass(Laptop.class);
SessionFactory sessionfactory = config.buildSessionFactory();
Session session = sessionfactory.openSession();
Transaction tr = session.beginTransaction();
session.save(student);
session.save(laptop);
tr.commit();
}
}
| [
"[email protected]"
] | |
971e1d4c7b73f9b51ef2118211d242c13720fa45 | 2fde800ffa6008e8fad38f8897d23fe5f02aaf43 | /crudone/WEB-INF/classes/com/thinking/machines/library/servlets/UpdateBook.java | 2d5690032a201fdbd52f3940919e3d24daab8786 | [] | no_license | harshit-goyal/WebApplications | 793c607e4ccc131a5008aa1305aa85df6acfbab7 | 63e133767e5a0a60223118fad6bfaf025f760bd2 | refs/heads/master | 2020-03-28T10:30:09.505343 | 2018-09-10T07:20:05 | 2018-09-10T07:20:05 | 148,115,052 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 11,765 | java | package com.thinking.machines.library.servlets;
import com.thinking.machines.library.dl.*;
import java.util.*;
import javax.servlet.*;
import javax.servlet.http.*;
import java.io.*;
public class UpdateBook extends HttpServlet
{
public void doPost(HttpServletRequest request,HttpServletResponse response)
{
try
{
int code=Integer.parseInt(request.getParameter("code"));
String title=request.getParameter("title");
int authorCode=Integer.parseInt(request.getParameter("authorCode"));
String category=request.getParameter("category");
int price=Integer.parseInt(request.getParameter("price"));
PrintWriter pw=response.getWriter();
response.setContentType("text/html");
BookDAO bookDAO=new BookDAO();
BookInterface book=new Book();
book.setCode(code);
book.setTitle(title);
book.setAuthorCode(authorCode);
book.setCategory(category);
book.setPrice(price);
try
{
bookDAO.update(book);
LinkedList<AuthorInterface> authors;
AuthorDAO authorDAO=new AuthorDAO();
authors=authorDAO.getAll();
LinkedList<BookInterface> books;
books=bookDAO.getAll();
pw.println("<!doctype html>");
pw.println("<html lang=\"en\">");
pw.println("<head>");
pw.println("<meta charset=\"utf-8\">");
pw.println("<title>Whatever Corporation</title>");
pw.println("<meta name=\"description\" content=\"The Whatever Corporation\">");
pw.println("<meta name=\"author\" content=\"Thinking Machines\">");
pw.println("<script>");
pw.println("function deleteBook(bookCode,bookTitle)");
pw.println("{");
pw.println("var c=confirm('Delete Book : '+bookTitle+'('+bookCode+')');");
pw.println("if(c)");
pw.println("{");
pw.println("var deleteBookForm=document.getElementById('deleteBookForm');");
pw.println("deleteBookForm.code.value=bookCode;");
pw.println("deleteBookForm.title.value=bookTitle;");
pw.println("deleteBookForm.submit();");
pw.println("}");
pw.println("}");
pw.println("</script>");
pw.println("</head>");
pw.println("<body style='background:#F5F5F5'>");
pw.println("<div style='background:#DBDBDB;width:100%;border:2px'>");
pw.println("<table width='100%'>");
pw.println("<tr>");
pw.println("<td>");
pw.println("<img src='/crudone/images/logo.png'><br>");
pw.println("</td>");
pw.println("<td align='right' style='padding:5px'>");
pw.println("<a href='/crudone/'>Home</a>");
pw.println("</td>");
pw.println("</table>");
pw.println("</div>");
pw.println("<br>");
pw.println("<h2>Books </h2>");
pw.println("<h3>Book title : "+title+" updated.</h3>");
pw.println("<table style='border:1px solid black'>");
pw.println("<thead>");
pw.println("<tr>");
pw.println("<th>S.No.</th>");
pw.println("<th>Title</th>");
pw.println("<th>Code</th>");
pw.println("<th>Author</th>");
pw.println("<th>Category</th>");
pw.println("<th>Price</th>");
pw.println("<th></th>");
pw.println("<th></th>");
pw.println("</tr>");
pw.println("</thead>");
pw.println("<tbody>");
int sno=0;
for(BookInterface b:books)
{
sno++;
if(sno%2==0)
{
pw.println("<tr style='background:#DDDDDD'>");
} else
{
pw.println("<tr>");
}
pw.println("<td align='right' style='border:1px solid black'>"+sno+"</td>");
pw.println("<td style='border:1px solid black'>"+b.getTitle()+"</td>");
pw.println("<td align='right' style='border:1px solid black'>"+b.getCode()+"</td>");
for(AuthorInterface author:authors)
{ if(author.getCode()==b.getAuthorCode())
{
pw.println("<td align='right' style='border:1px solid black'>"+author.getName()+"</td>");
break;
}}
pw.println("<td align='right' style='border:1px solid black'>"+b.getCategory()+"</td>");
pw.println("<td align='right' style='border:1px solid black'>"+b.getPrice()+"</td>");
pw.println("<td align='right' style='border:1px solid black'><a href='/crudone/editBook?code="+b.getCode()+"'><img src='/crudone/images/edit_icon.png' style='padding:5px'></a></td>");
pw.println("<td align='right' style='border:1px solid black'><a href='javascript:deleteBook("+b.getCode()+",\""+b.getTitle()+"\")'><img src='/crudone/images/delete_icon.png' style='padding:5px'></a></td>");
pw.println("</tr>");
}
pw.println("</tbody>");
pw.println("</table>");
pw.println("<br>");
pw.println("<br>");
pw.println("<br>");
pw.println("<div style='background:#DBDBDB;width:100%;border:2px;padding:10px'>");
pw.println("<center>");
pw.println("© Thinking Machines 2017-2040");
pw.println("</center>");
pw.println("</div>");
pw.println("<form id='deleteBookForm' action='/crudone/deleteBook' method='POST'>");
pw.println("<input type='hidden' name='code' id='code'>");
pw.println("<input type='hidden' name='title' id='title'>");
pw.println("</form>");
pw.println("</body>");
pw.println("</html>");
}catch(DAOException daoException)
{ try
{
AuthorDAO authorDAO=new AuthorDAO();
LinkedList<AuthorInterface> authors;
authors=authorDAO.getAll();
pw.println("<!doctype html>");
pw.println("<html lang='en'>");
pw.println("<head>");
pw.println("<meta charset='utf-8'>");
pw.println("<title>Whatever Corporation</title>");
pw.println("<meta name='description' content='The Whatever Corporation'>");
pw.println("<meta name='author' content='Thinking Machines'>");
pw.println("<script>");
pw.println("function validateForm(frm)");
pw.println("{");
pw.println("var title=frm.title.value.trim();");
pw.println("var titleErrorSection=document.getElementById('titleErrorSection');");
pw.println("titleErrorSection.innerHTML=' ';");
pw.println("var authorCode=frm.authorCode.value;");
pw.println("var authorCodeErrorSection=document.getElementById('authorCodeErrorSection');");
pw.println("authorCodeErrorSection.innerHTML=' ';");
pw.println("var category=frm.category.value;");
pw.println("var categoryErrorSection=document.getElementById('categoryErrorSection');");
pw.println("categoryErrorSection.innerHTML=' ';");
pw.println("var price=frm.price.value.trim();");
pw.println("var priceErrorSection=document.getElementById('priceErrorSection');");
pw.println("priceErrorSection.innerHTML=' ';");
pw.println("var errorComponent=null;");
pw.println("var valid=true;");
pw.println("if(title.length==0)");
pw.println("{");
pw.println("titleErrorSection.innerHTML=\"Required\";");
pw.println("valid=false;");
pw.println("errorComponent=frm.title;");
pw.println("}");
pw.println("if(authorCode==-1)");
pw.println("{");
pw.println("authorCodeErrorSection.innerHTML=\"Required\";");
pw.println("valid=false;");
pw.println("if(errorComponent==null)");
pw.println("{");
pw.println("errorComponent=frm.authorCode;");
pw.println("}");
pw.println("}");
pw.println("if(category=='none')");
pw.println("{");
pw.println("categoryErrorSection.innerHTML=\"Required\";");
pw.println("valid=false;");
pw.println("if(errorComponent==null)");
pw.println("{");
pw.println("errorComponent=frm.category;");
pw.println("}");
pw.println("}");
pw.println("if(price.length==0)");
pw.println("{");
pw.println("frm.price.value=\"0\";");
pw.println("}");
pw.println("v=\"0123456789\";");
pw.println("var i=0;");
pw.println("while(i<price.length)");
pw.println("{");
pw.println("if(v.indexOf(price.charAt(i))==-1)");
pw.println("{");
pw.println("priceErrorSection.innerHTML=\"Invalid\";");
pw.println("valid=false;");
pw.println("if(errorComponent==null)");
pw.println("{");
pw.println("errorComponent=frm.price;");
pw.println("}");
pw.println("break;");
pw.println("}");
pw.println("i++;");
pw.println("}");
pw.println("if(!valid) errorComponent.focus();");
pw.println("return valid;");
pw.println("}");
pw.println("</script>");
pw.println("</head>");
pw.println("<body style='background:#F5F5F5'>");
pw.println("<div style='background:#DBDBDB;width:100%;border:2px'>");
pw.println("<table width='100%'>");
pw.println("<tr>");
pw.println("<td>");
pw.println("<img src='/crudone/images/logo.png'><br>");
pw.println("</td>");
pw.println("<td align='right' style='padding:5px'>");
pw.println("<a href='/crudone/'>Home</a>");
pw.println("</td>");
pw.println("</table>");
pw.println("</div>");
pw.println("<br>");
pw.println("<br>");
pw.println("<h2>Edit Book</h2>");
pw.println("<div style='color:red'>"+daoException.getMessage()+"</div>");
pw.println("<form action='/crudone/updateBook' onsubmit='return validateForm(this)' method='post'>");
pw.println("<input type='hidden' id='code' name='code' value='"+code+"'>");
pw.println("<table border='0'>");
pw.println("<tr>");
pw.println("<td>Title</td>");
pw.println("<td>");
pw.println("<input type='text' name='title' id='title' maxlength='35' size='31' value='"+title+"'>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td></td><td>");
pw.println("<span id='titleErrorSection' style='color:red'> </span>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td>Author</td>");
pw.println("<td>");
pw.println("<select id='authorCode' name='authorCode'>");
pw.println("<option value='-1'><Select></option>");
for(AuthorInterface author:authors)
{ if(author.getCode()==authorCode)
{
pw.println("<option selected value='"+author.getCode()+"'>"+author.getName()+"</option>");
} else
{
pw.println("<option value='"+author.getCode()+"'>"+author.getName()+"</option>");
}}
pw.println("</select>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td></td><td>");
pw.println("<span id='authorCodeErrorSection' style='color:red'> </span>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td>Category</td>");
pw.println("<td>");
pw.println("<select id='category' name='category'>");
pw.println("<option value='none'><Select></option>");
if(category.equals("Science fiction"))
{
pw.println("<option selected value='Science fiction'>Science fiction</option>");
} else
{
pw.println("<option value='Science fiction'>Science fiction</option>");
} if(category.equals("Satire"))
{
pw.println("<option selected value='Satire'>Satire</option>");
} else
{
pw.println("<option value='Satire'>Satire</option>");
} if(category.equals("Drama"))
{
pw.println("<option selected value='Drama'>Drama</option>");
} else
{
pw.println("<option value='Drama'>Drama</option>");
} if(category.equals("Action and Adventure"))
{
pw.println("<option selected value='Action and Adventure'>Action and Adventure</option>");
} else
{
pw.println("<option value='Action and Adventure'>Action and Adventure</option>");
} if(category.equals("Mystery"))
{
pw.println("<option selected value='Mystery'>Mystery</option>");
} else
{
pw.println("<option value='Mystery'>Mystery</option>");
} if(category.equals("Horror"))
{
pw.println("<option selected value='Horror'>Horror</option>");
} else
{
pw.println("<option value='Horror'>Horror</option>");
}
pw.println("</select>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td></td><td>");
pw.println("<span id='categoryErrorSection' style='color:red'> </span>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td>Price</td>");
pw.println("<td>");
pw.println("<input type='text' name='price' id='price' maxlength='5' size='6' style='text-align:right' value='"+price+"'>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td></td><td>");
pw.println("<span id='priceErrorSection' style='color:red'> </span>");
pw.println("</td>");
pw.println("</tr>");
pw.println("<tr>");
pw.println("<td colspan='2' align='center'>");
pw.println("<button type='submit'>Update</button>");
pw.println("</td>");
pw.println("</tr>");
pw.println("</table>");
pw.println("</form>");
pw.println("<br>");
pw.println("<br>");
pw.println("<br>");
pw.println("<div style='background:#DBDBDB;width:100%;border:2px;padding:10px'>");
pw.println("<center>");
pw.println("© Thinking Machines 2017-2040");
pw.println("</center>");
pw.println("</div>");
pw.println("</body>");
pw.println("</html>");
}catch(DAOException daoException2)
{ // this case won't arise
}
}
}
catch(Exception exception)
{
}
}
} | [
"[email protected]"
] | |
8b50e8820080825fee20439d28ac9a73f660ba89 | b35644dc611c513c0721465f97f38c8af002fd7a | /src/java-pb/org/tensorflow/framework/NodeOrBuilder.java | 45a7ff257480a79125023094b8da8774864eb83a | [
"Apache-2.0",
"LicenseRef-scancode-generic-cla"
] | permissive | bpiel/guildsman | fa19f5f02a4c74cdcbe58a266b12716122d498a4 | 59c9a7459de19525cfc54112f02127e0777a00ce | refs/heads/master | 2021-09-17T23:17:54.382797 | 2018-07-06T16:47:16 | 2018-07-06T16:47:16 | 105,477,694 | 137 | 6 | Apache-2.0 | 2018-04-23T15:39:58 | 2017-10-01T22:01:17 | Clojure | UTF-8 | Java | false | true | 1,387 | java | // Generated by the protocol buffer compiler. DO NOT EDIT!
// source: tensorflow/core/kernels/boosted_trees/boosted_trees.proto
package org.tensorflow.framework;
public interface NodeOrBuilder extends
// @@protoc_insertion_point(interface_extends:tensorflow.boosted_trees.Node)
com.google.protobuf.MessageOrBuilder {
/**
* <code>.tensorflow.boosted_trees.Leaf leaf = 1;</code>
*/
org.tensorflow.framework.Leaf getLeaf();
/**
* <code>.tensorflow.boosted_trees.Leaf leaf = 1;</code>
*/
org.tensorflow.framework.LeafOrBuilder getLeafOrBuilder();
/**
* <code>.tensorflow.boosted_trees.BucketizedSplit bucketized_split = 2;</code>
*/
org.tensorflow.framework.BucketizedSplit getBucketizedSplit();
/**
* <code>.tensorflow.boosted_trees.BucketizedSplit bucketized_split = 2;</code>
*/
org.tensorflow.framework.BucketizedSplitOrBuilder getBucketizedSplitOrBuilder();
/**
* <code>.tensorflow.boosted_trees.NodeMetadata metadata = 777;</code>
*/
boolean hasMetadata();
/**
* <code>.tensorflow.boosted_trees.NodeMetadata metadata = 777;</code>
*/
org.tensorflow.framework.NodeMetadata getMetadata();
/**
* <code>.tensorflow.boosted_trees.NodeMetadata metadata = 777;</code>
*/
org.tensorflow.framework.NodeMetadataOrBuilder getMetadataOrBuilder();
public org.tensorflow.framework.Node.NodeCase getNodeCase();
}
| [
"[email protected]"
] | |
fcd74167aebf2856ccc608e335da8a6c4ad1b4fc | 134cd1fc6a35ed1396e829465172eb3fc9448945 | /android/app/build/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/androidx/browser/R.java | 7a99c37f8eb5a1b03f2c6213c297bb0574562ba8 | [] | no_license | shifsinc/MLM-ReactNative | c4c3b529026d29435a037065e42fd7a135206819 | 3b4619e0747e71b8367faaa7ebd4c43ef2020843 | refs/heads/master | 2021-03-21T22:14:58.651798 | 2020-03-11T14:58:13 | 2020-03-11T14:58:13 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 13,386 | 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 androidx.browser;
public final class R {
private R() {}
public static final class attr {
private attr() {}
public static final int alpha = 0x7f03002b;
public static final int coordinatorLayoutStyle = 0x7f0300c6;
public static final int font = 0x7f030123;
public static final int fontProviderAuthority = 0x7f030125;
public static final int fontProviderCerts = 0x7f030126;
public static final int fontProviderFetchStrategy = 0x7f030127;
public static final int fontProviderFetchTimeout = 0x7f030128;
public static final int fontProviderPackage = 0x7f030129;
public static final int fontProviderQuery = 0x7f03012a;
public static final int fontStyle = 0x7f03012b;
public static final int fontVariationSettings = 0x7f03012c;
public static final int fontWeight = 0x7f03012d;
public static final int keylines = 0x7f03016a;
public static final int layout_anchor = 0x7f03016f;
public static final int layout_anchorGravity = 0x7f030170;
public static final int layout_behavior = 0x7f030171;
public static final int layout_dodgeInsetEdges = 0x7f030174;
public static final int layout_insetEdge = 0x7f030175;
public static final int layout_keyline = 0x7f030176;
public static final int statusBarBackground = 0x7f030212;
public static final int ttcIndex = 0x7f030278;
}
public static final class color {
private color() {}
public static final int browser_actions_bg_grey = 0x7f050024;
public static final int browser_actions_divider_color = 0x7f050025;
public static final int browser_actions_text_color = 0x7f050026;
public static final int browser_actions_title_color = 0x7f050027;
public static final int notification_action_color_filter = 0x7f0500b4;
public static final int notification_icon_bg_color = 0x7f0500b5;
public static final int ripple_material_light = 0x7f0500c0;
public static final int secondary_text_default_material_light = 0x7f0500c2;
}
public static final class dimen {
private dimen() {}
public static final int browser_actions_context_menu_max_width = 0x7f060050;
public static final int browser_actions_context_menu_min_padding = 0x7f060051;
public static final int compat_button_inset_horizontal_material = 0x7f060055;
public static final int compat_button_inset_vertical_material = 0x7f060056;
public static final int compat_button_padding_horizontal_material = 0x7f060057;
public static final int compat_button_padding_vertical_material = 0x7f060058;
public static final int compat_control_corner_material = 0x7f060059;
public static final int compat_notification_large_icon_max_height = 0x7f06005a;
public static final int compat_notification_large_icon_max_width = 0x7f06005b;
public static final int notification_action_icon_size = 0x7f060130;
public static final int notification_action_text_size = 0x7f060131;
public static final int notification_big_circle_margin = 0x7f060132;
public static final int notification_content_margin_start = 0x7f060133;
public static final int notification_large_icon_height = 0x7f060134;
public static final int notification_large_icon_width = 0x7f060135;
public static final int notification_main_column_padding_top = 0x7f060136;
public static final int notification_media_narrow_margin = 0x7f060137;
public static final int notification_right_icon_size = 0x7f060138;
public static final int notification_right_side_padding_top = 0x7f060139;
public static final int notification_small_icon_background_padding = 0x7f06013a;
public static final int notification_small_icon_size_as_large = 0x7f06013b;
public static final int notification_subtext_size = 0x7f06013c;
public static final int notification_top_pad = 0x7f06013d;
public static final int notification_top_pad_large_text = 0x7f06013e;
}
public static final class drawable {
private drawable() {}
public static final int notification_action_background = 0x7f070096;
public static final int notification_bg = 0x7f070097;
public static final int notification_bg_low = 0x7f070098;
public static final int notification_bg_low_normal = 0x7f070099;
public static final int notification_bg_low_pressed = 0x7f07009a;
public static final int notification_bg_normal = 0x7f07009b;
public static final int notification_bg_normal_pressed = 0x7f07009c;
public static final int notification_icon_background = 0x7f07009d;
public static final int notification_template_icon_bg = 0x7f07009e;
public static final int notification_template_icon_low_bg = 0x7f07009f;
public static final int notification_tile_bg = 0x7f0700a0;
public static final int notify_panel_notification_icon_bg = 0x7f0700a1;
}
public static final class id {
private id() {}
public static final int action_container = 0x7f080039;
public static final int action_divider = 0x7f08003b;
public static final int action_image = 0x7f08003c;
public static final int action_text = 0x7f080042;
public static final int actions = 0x7f080043;
public static final int async = 0x7f08004b;
public static final int blocking = 0x7f08004e;
public static final int bottom = 0x7f08004f;
public static final int browser_actions_header_text = 0x7f080050;
public static final int browser_actions_menu_item_icon = 0x7f080051;
public static final int browser_actions_menu_item_text = 0x7f080052;
public static final int browser_actions_menu_items = 0x7f080053;
public static final int browser_actions_menu_view = 0x7f080054;
public static final int chronometer = 0x7f080062;
public static final int end = 0x7f08007c;
public static final int forever = 0x7f080091;
public static final int icon = 0x7f08009b;
public static final int icon_group = 0x7f08009c;
public static final int info = 0x7f0800a0;
public static final int italic = 0x7f0800a1;
public static final int left = 0x7f0800a5;
public static final int line1 = 0x7f0800a7;
public static final int line3 = 0x7f0800a8;
public static final int none = 0x7f0800ce;
public static final int normal = 0x7f0800cf;
public static final int notification_background = 0x7f0800d0;
public static final int notification_main_column = 0x7f0800d1;
public static final int notification_main_column_container = 0x7f0800d2;
public static final int right = 0x7f0800e0;
public static final int right_icon = 0x7f0800e1;
public static final int right_side = 0x7f0800e2;
public static final int start = 0x7f080113;
public static final int tag_transition_group = 0x7f08011e;
public static final int tag_unhandled_key_event_manager = 0x7f08011f;
public static final int tag_unhandled_key_listeners = 0x7f080120;
public static final int text = 0x7f080123;
public static final int text2 = 0x7f080124;
public static final int time = 0x7f08012e;
public static final int title = 0x7f08012f;
public static final int top = 0x7f080132;
}
public static final class integer {
private integer() {}
public static final int status_bar_notification_info_maxnum = 0x7f090017;
}
public static final class layout {
private layout() {}
public static final int browser_actions_context_menu_page = 0x7f0b001c;
public static final int browser_actions_context_menu_row = 0x7f0b001d;
public static final int notification_action = 0x7f0b004c;
public static final int notification_action_tombstone = 0x7f0b004d;
public static final int notification_template_custom_big = 0x7f0b0054;
public static final int notification_template_icon_group = 0x7f0b0055;
public static final int notification_template_part_chronometer = 0x7f0b0059;
public static final int notification_template_part_time = 0x7f0b005a;
}
public static final class string {
private string() {}
public static final int status_bar_notification_info_overflow = 0x7f0e009c;
}
public static final class style {
private style() {}
public static final int TextAppearance_Compat_Notification = 0x7f0f0160;
public static final int TextAppearance_Compat_Notification_Info = 0x7f0f0161;
public static final int TextAppearance_Compat_Notification_Line2 = 0x7f0f0163;
public static final int TextAppearance_Compat_Notification_Time = 0x7f0f0166;
public static final int TextAppearance_Compat_Notification_Title = 0x7f0f0168;
public static final int Widget_Compat_NotificationActionContainer = 0x7f0f024e;
public static final int Widget_Compat_NotificationActionText = 0x7f0f024f;
public static final int Widget_Support_CoordinatorLayout = 0x7f0f02b6;
}
public static final class styleable {
private styleable() {}
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[] CoordinatorLayout = { 0x7f03016a, 0x7f030212 };
public static final int CoordinatorLayout_keylines = 0;
public static final int CoordinatorLayout_statusBarBackground = 1;
public static final int[] CoordinatorLayout_Layout = { 0x10100b3, 0x7f03016f, 0x7f030170, 0x7f030171, 0x7f030174, 0x7f030175, 0x7f030176 };
public static final int CoordinatorLayout_Layout_android_layout_gravity = 0;
public static final int CoordinatorLayout_Layout_layout_anchor = 1;
public static final int CoordinatorLayout_Layout_layout_anchorGravity = 2;
public static final int CoordinatorLayout_Layout_layout_behavior = 3;
public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges = 4;
public static final int CoordinatorLayout_Layout_layout_insetEdge = 5;
public static final int CoordinatorLayout_Layout_layout_keyline = 6;
public static final int[] FontFamily = { 0x7f030125, 0x7f030126, 0x7f030127, 0x7f030128, 0x7f030129, 0x7f03012a };
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, 0x7f030123, 0x7f03012b, 0x7f03012c, 0x7f03012d, 0x7f030278 };
public static final int FontFamilyFont_android_font = 0;
public static final int FontFamilyFont_android_fontWeight = 1;
public static final int FontFamilyFont_android_fontStyle = 2;
public static final int FontFamilyFont_android_ttcIndex = 3;
public static final int FontFamilyFont_android_fontVariationSettings = 4;
public static final int FontFamilyFont_font = 5;
public static final int FontFamilyFont_fontStyle = 6;
public static final int FontFamilyFont_fontVariationSettings = 7;
public static final int FontFamilyFont_fontWeight = 8;
public static final int FontFamilyFont_ttcIndex = 9;
public static final int[] GradientColor = { 0x101019d, 0x101019e, 0x10101a1, 0x10101a2, 0x10101a3, 0x10101a4, 0x1010201, 0x101020b, 0x1010510, 0x1010511, 0x1010512, 0x1010513 };
public static final int GradientColor_android_startColor = 0;
public static final int GradientColor_android_endColor = 1;
public static final int GradientColor_android_type = 2;
public static final int GradientColor_android_centerX = 3;
public static final int GradientColor_android_centerY = 4;
public static final int GradientColor_android_gradientRadius = 5;
public static final int GradientColor_android_tileMode = 6;
public static final int GradientColor_android_centerColor = 7;
public static final int GradientColor_android_startX = 8;
public static final int GradientColor_android_startY = 9;
public static final int GradientColor_android_endX = 10;
public static final int GradientColor_android_endY = 11;
public static final int[] GradientColorItem = { 0x10101a5, 0x1010514 };
public static final int GradientColorItem_android_color = 0;
public static final int GradientColorItem_android_offset = 1;
}
}
| [
"[email protected]"
] | |
89569ebde6a6aba4785b6f82923f4b59f9cececa | a94503718e5b517e0d85227c75232b7a238ef24f | /src/main/java/net/dryuf/comp/gallery/dir/DirGalleryHandler.java | 3280fe98bae85b36595ae7197a92d3a2aa44e0ab | [] | no_license | kvr000/dryuf-old-comp | 795c457e6131bb0b08f538290ff96f8043933c9f | ebb4a10b107159032dd49b956d439e1994fc320a | refs/heads/master | 2023-03-02T20:44:19.336992 | 2022-04-04T21:51:59 | 2022-04-04T21:51:59 | 229,681,213 | 0 | 0 | null | 2023-02-22T02:52:16 | 2019-12-23T05:14:49 | Java | UTF-8 | Java | false | false | 2,137 | java | /*
* Dryuf framework
*
* ----------------------------------------------------------------------------------
*
* Copyright (C) 2000-2015 Zbyněk Vyškovský
*
* ----------------------------------------------------------------------------------
*
* LICENSE:
*
* This file is part of Dryuf
*
* Dryuf is free software; you can redistribute it and/or modify it under the
* terms of the GNU Lesser General Public License as published by the Free
* Software Foundation; either version 3 of the License, or (at your option)
* any later version.
*
* Dryuf is distributed in the hope that it will be useful, but WITHOUT ANY
* WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
* FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License for
* more details.
*
* You should have received a copy of the GNU Lesser General Public License
* along with Dryuf; if not, write to the Free Software Foundation, Inc., 51
* Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
*
* @author 2000-2015 Zbyněk Vyškovský
* @link mailto:[email protected]
* @link http://kvr.matfyz.cz/software/java/dryuf/
* @link http://github.com/dryuf/
* @license http://www.gnu.org/licenses/lgpl.txt GNU Lesser General Public License v3
*/
package net.dryuf.comp.gallery.dir;
import java.util.Collections;
import java.util.LinkedList;
import net.dryuf.core.CallerContext;
import net.dryuf.core.StringUtil;
import net.dryuf.io.ResourceResolver;
public class DirGalleryHandler extends net.dryuf.comp.gallery.SimpleGalleryHandler
{
public DirGalleryHandler(CallerContext callerContext, String galleryDir)
{
super(callerContext, galleryDir);
}
public void read()
{
if (sections != null)
return;
LinkedList<String> files = new LinkedList<String>();
for (String file: getCallerContext().getBeanTyped("resourceResolver", ResourceResolver.class).getResourcePaths(galleryDir)) {
String[] match;
if ((match = StringUtil.matchText(".*/([^/]+\\.(jpg|jpeg|png|gif))$", file)) == null)
continue;
files.add(match[1]);
}
Collections.sort(files);
this.initFromList(files, null);
}
}
| [
"[email protected]"
] | |
10e895d0d9693401e2d83224c089cd3bf2029c9b | a634d75a9e89b3243e13e5579854588ff6b5483a | /jaxrs-server/src/main/java/io/swagger/api/factories/EventApiServiceFactory.java | 4303f05977ce826f97d9ebeabfb647ce2bfe5256 | [] | no_license | rdevitto/Final-Project | f3b6a3d612136b14a88b68d4aa8ccae845094bfb | 9b83e4e8b2c42ddd4c07a124cda7910a378adbc3 | refs/heads/master | 2021-01-25T13:47:38.383843 | 2018-05-06T17:57:18 | 2018-05-06T17:57:18 | 123,614,942 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 449 | java | package io.swagger.api.factories;
import io.swagger.api.EventApiService;
import io.swagger.api.impl.EventApiServiceImpl;
@javax.annotation.Generated(value = "io.swagger.codegen.languages.JavaJerseyServerCodegen", date = "2018-05-02T02:45:15.118Z")
public class EventApiServiceFactory {
private final static EventApiService service = new EventApiServiceImpl();
public static EventApiService getEventApi() {
return service;
}
}
| [
"[email protected]"
] | |
96662ca2f8ef9870f2c6e95d80cff3b0d1b70051 | 42521c0595d85eddb9f324056dffca6955f03784 | /src/class7DFS/AllPermutationsI.java | 34aa4a19d71bd24c5452022f5ed328679659533e | [] | no_license | kkeric11368/Laicode-3 | 8a56aceabca83dbdd1f0e7750cbf72bfe1639a83 | 9da078b352f359fe97a881597699b5c385cfec3c | refs/heads/master | 2021-01-03T19:05:20.997028 | 2018-02-10T18:20:36 | 2018-02-10T18:20:36 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,261 | java | package class7DFS;
import java.util.ArrayList;
import java.util.List;
/**
*
* @author guoyifeng
Given a string with no duplicate characters, return a list with all permutations of the characters.
Examples
Set = "abc", all permutations are ["abc", "acb", "bac", "bca", "cab", "cba"]
Set = "", all permutations are [""]
Set = null, all permutations are []
if each element of input shall appear in the return result, prior to use swap and swap
*/
public class AllPermutationsI {
public List<String> permutations(String set) {
List<String> result = new ArrayList<>();
if(set == null) {
return result;
}
char[] arraySet = set.toCharArray();
helper(arraySet,0,result);
return result;
}
private void helper(char[] array, int level, List<String> result) {
if(level == array.length) {//base case: must == array.length not array.length - 1 because must let every character in set be chosen
result.add(new String(array));
return;
}
for(int i = level; i < array.length; i++) {//i = level!!!
swap(array,i,level);
helper(array,level + 1,result);
swap(array,i,level);//swap back to original state
}
}
private void swap(char[] arr, int a, int b) {
char temp = arr[a];
arr[a] = arr[b];
arr[b] = temp;
}
}
| [
"[email protected]"
] | |
91e51197af4be388a2502100addf548245e4a246 | f52f0e693e9991ba381b1cf656fcd1e3b182f4af | /WEB-INF/classes/Novels.java | 1c668b60076b69d975c73ff81c4306b5d6781444 | [] | no_license | anni23/Online-Bookstore-Java-Based-simple-website | d47c3565ca8a19ea49b636fc5890e05a7f306b57 | e287508f8ae13f5e6e3a9793353bd350f7de468b | refs/heads/master | 2021-05-05T15:42:29.953138 | 2018-01-13T07:27:41 | 2018-01-13T07:27:41 | 117,318,166 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,007 | java | import java.sql.*;
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;
public class Novels extends HttpServlet
{
DBConnect d;
HttpSession hs;
PrintWriter pw;
String m;
ResultSet rs;
public void init()
{
d=new DBConnect();
}
public void doGet(HttpServletRequest req,HttpServletResponse res)throws IOException,ServletException
{
try
{
res.setContentType("text/html");
pw=res.getWriter();
hs=req.getSession(true);
rs=d.s.executeQuery("select * from novels");
pw.println("<table border=2>");
pw.println("<tr>");
pw.println("<th>book</th>");
pw.println("<th>price</th>");
pw.println("<th>cart</th>");
pw.println("</tr>");
while(rs.next())
{
m=rs.getString("book");
String n=rs.getString("price");
pw.println("<tr>");
pw.println("<td>"+m+"</td>");
pw.println("<td>"+n+"</td>");
pw.println("<td><a href=http://localhost:8080/ANI/cart1?bk="+m+"&pr="+n+"&rem=rem target=_top>add to cart</a></td>");
pw.println("</tr>");
}
pw.println("</table>");
}
catch(Exception ex)
{
ex.printStackTrace();
}
}
} | [
"[email protected]"
] | |
df63eebf07505fc59191fb34f60685b1658cb528 | 0e2e26dcad4b0bfc9884138138b073139e6fdb51 | /snaker-hibernate/src/main/java/org/snaker/engine/access/hibernate/Hibernate3Access.java | ece7dbbdad6736893f2f67ff93c7f4353df858b0 | [
"Apache-2.0"
] | permissive | mgicode/mgicode-snakerflow | 3db868d8d9d7af5e1e902f62b7baac90a4d3c474 | 2182697d4ea30c82b9583d1ad699981005202f56 | refs/heads/master | 2023-02-25T10:08:13.286215 | 2020-03-02T03:40:21 | 2020-03-02T03:40:21 | 244,258,295 | 1 | 1 | Apache-2.0 | 2023-02-22T02:52:31 | 2020-03-02T02:02:19 | JavaScript | UTF-8 | Java | false | false | 1,619 | java | ///*
// * Copyright 2013-2015 www.snakerflow.com.
// * *
// * * Licensed under the Apache License, Version 2.0 (the "License");
// * * you may not use this file except in compliance with the License.
// * * You may obtain a copy of the License at
// * *
// * * http://www.apache.org/licenses/LICENSE-2.0
// * *
// * * Unless required by applicable law or agreed to in writing, software
// * * distributed under the License is distributed on an "AS IS" BASIS,
// * * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// * * See the License for the specific language governing permissions and
// * * limitations under the License.
// *
// */
//
//package org.snaker.engine.access.hibernate;
//
//import org.hibernate.Hibernate;
//import org.hibernate.connection.ConnectionProvider;
//import org.hibernate.engine.SessionFactoryImplementor;
//import org.snaker.engine.DBAccess;
//
//import java.sql.Blob;
//import java.sql.Connection;
//import java.sql.SQLException;
//
///**
// * hibernate3方式的数据库访问
// * @author yuqs
// * @since 2.0
// */
//public class Hibernate3Access extends HibernateAccess implements DBAccess {
// protected Connection getConnection() throws SQLException {
// if (sessionFactory instanceof SessionFactoryImplementor) {
// ConnectionProvider cp = ((SessionFactoryImplementor) sessionFactory).getConnectionProvider();
// return cp.getConnection();
// }
// return super.getConnection();
// }
//
// public Blob createBlob(byte[] bytes) {
// return Hibernate.createBlob(bytes);
// }
//}
| [
"[email protected]"
] | |
56e5a58d14c9addef0379899cc4b867750a26f36 | f9b5d719eabf153901ba86468f01abdf7927106a | /java/serious/src/main/java/com/fun/bbs/dao/mappers/UserBanMapper.java | 07c627a28b9fb5bf2db5451bc38eb57bbc3b38ac | [] | no_license | aboutjava/bbs | b5fbaf87fd8d27fb09c8e71a468d6fbf9fbe826d | 2e41c42d431aacb2ff797375c082854630f979bb | refs/heads/master | 2021-08-22T22:50:15.939313 | 2017-12-01T14:24:03 | 2017-12-01T14:24:03 | 111,204,375 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,489 | java | package com.fun.bbs.dao.mappers;
import com.fun.bbs.dao.entities.UserBan;
import com.fun.bbs.dao.entities.UserBanExample;
import java.util.List;
import org.apache.ibatis.annotations.Param;
/** 用户禁言表映射 */
public interface UserBanMapper {
/** 根据用户禁言表条件查询用户禁言表件数 */
int countByExample(UserBanExample example);
/** 删除满足条件的 用户禁言表 */
int deleteByExample(UserBanExample example);
/** 根据用户禁言表主键删除用户禁言表 */
int deleteByPrimaryKey(Integer id);
/** 插入 用户禁言表 */
int insert(UserBan record);
/** 插入 用户禁言表(仅插入有值的字段) */
int insertSelective(UserBan record);
/** 根据用户禁言表条件查询用户禁言表 */
List<UserBan> selectByExample(UserBanExample example);
/** 根据用户禁言表主键查询用户禁言表 */
UserBan selectByPrimaryKey(Integer id);
/** updateByExampleSelective */
int updateByExampleSelective(@Param("record") UserBan record, @Param("example") UserBanExample example);
/** updateByExample */
int updateByExample(@Param("record") UserBan record, @Param("example") UserBanExample example);
/** 根据用户禁言表主键更新用户禁言表(仅更新有值的字段) */
int updateByPrimaryKeySelective(UserBan record);
/** 根据用户禁言表主键更新用户禁言表 */
int updateByPrimaryKey(UserBan record);
} | [
"[email protected]"
] | |
b3bcc04b836e484f645de785ccbdc8905868495d | 6aa3136c8fd5ce4ba598643ff0908a416c6a1478 | /Employee details.java | c8ff7eb97688fc217feb942c81bb74e8c3641e24 | [] | no_license | VISHANTH24/VISHANTH-JAVA-Assignments | 38339d819cdfd114cdfaab1e66a2add569675bb2 | 083ece60a85ec0fc48fbae47d0b9c68d1bcbbc54 | refs/heads/main | 2023-05-06T16:01:16.114084 | 2021-05-27T10:29:25 | 2021-05-27T10:29:25 | 371,333,293 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,408 | java | import java.util.ArrayList;
import java.io.*;
public class Employe {
int id;
String name;
long salary;
static ArrayList al = new ArrayList();
static int count = 0; //to track the no. of Employes
Employe()
{
}
//constructor for initializing Employe objects
Employe(int id, String name, long salary)
{
this.id = id;
this.name = name;
this.salary = salary;
count++;
}
//method to store Employes details in an arraylist
public void putDetails(Employe e)
{
al.add(e);
}
//method to retreive Employe objects
public Employe getDetails(int id)
{
Employe es = (Employe)al.get(id);
return es;
}
public static void main(String[] args) throws IOException
{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
Employe e = new Employe();
Employe e1 = new Employe(1, "Jeeva", 15000);
Employe e2 = new Employe(2, "Vijay", 20000);
Employe e3 = new Employe(3, "Vathan", 21000);
Employe e4 = new Employe(4, "Satish", 18000);
Employe e5 = new Employe(5, "Swetha", 16000);
Employe e6 = new Employe(6, "Shalini", 30000);
e.putDetails(e1);
e.putDetails(e2);
e.putDetails(e3);
e.putDetails(e4);
e.putDetails(e5);
e.putDetails(e6);
System.out.println("The total number of Employes are: " +count);
System.out.println(" ");
while(true)
{
System.out.println("Enter Employee id to get the Employe Information: ");
int id = Integer.parseInt(br.readLine());
boolean flag = false;
for(int i=0; i<count;i++) {
Employe es = e1.getDetails(i);
if(id == es.id)
{
System.out.println("The Information of the Employee with id " +id +" is: ");
System.out.print(es.id +" " +es.name+" " +es.salary);
flag = true;
break;
}
}
System.out.println(" ");
if(!flag)
{
System.out.println("Sorry, no Info found with the entered id " +id);
}
System.out.println(" ");
String ch = null;
while(true)
{
System.out.println("Do you Want to Continue(y/n)?)");
System.out.println(" ");
ch = br.readLine();
if(ch.equalsIgnoreCase("y") || ch.equalsIgnoreCase("n")) break;
if(!(ch.equalsIgnoreCase("y") || ch.equalsIgnoreCase("n")))
{
System.out.println("Invalid option : please type y/n");
System.out.println(" ");
}
}
if(ch.equalsIgnoreCase("n"))
{
System.out.println(" ");
System.out.println("Thank you");
break;
}
}
}
} | [
"[email protected]"
] | |
395111da768af4a9d9b123a6d1f347fb5a6e79e6 | d1cf3c26419e49a36ce2ff103106d3a4b2492b4f | /ada-mqKafka/src/main/java/com/adachina/mqKafka/messageExecuteHandle/AbstractMessageExecuteHandle.java | 13ba65271560fe3f963d2841d76ab98d620ae2e5 | [] | no_license | longofsky/kclient | a1e5aa1caa6db879e50df5a7bc1d13d8378c9e80 | 12ebb4bf05503f92d7eb10930c2c8bb2c4646244 | refs/heads/master | 2020-04-28T10:12:34.269398 | 2019-03-19T10:33:12 | 2019-03-19T10:33:12 | 175,193,590 | 0 | 0 | null | 2019-03-12T11:07:04 | 2019-03-12T11:07:04 | null | UTF-8 | Java | false | false | 2,796 | java | package com.adachina.mqKafka.messageExecuteHandle;
import com.adachina.mqKafka.handlers.MessageHandler;
import com.adachina.mqKafka.mainThreadEnum.MainThreadStatusEnum;
import org.apache.kafka.clients.consumer.KafkaConsumer;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.stereotype.Component;
import org.springframework.util.StringUtils;
import java.util.Arrays;
import java.util.Properties;
/**
* @ProjectName: kclient
* @Package: com.robert.kafka.kclient.messageExecuteHandle
* @ClassName: AbstractMessageExecuteHandle
* @Author: litianlong
* @Description: ${description}
* @Date: 2019-03-18 11:16
* @Version: 1.0
*/
@Component
public abstract class AbstractMessageExecuteHandle implements MessageExecuteHandle {
protected static Logger log = LoggerFactory.getLogger(AbstractMessageExecuteHandle.class);
public volatile MainThreadStatusEnum status = MainThreadStatusEnum.INIT;
public long defTimeOutLong = 60;
public String topic;
public KafkaConsumer<String, String> consumer;
public MessageHandler handler;
public Properties properties;
public AbstractMessageExecuteHandle(String topic, MessageHandler handler) {
this.handler = handler;
this.topic = topic;
}
public void initKafka(Properties properties) {
this.properties = properties;
// 定义consumer
consumer = new KafkaConsumer(properties);
if (consumer == null) {
log.error("consumer is null.");
throw new IllegalArgumentException("consumer is null.");
}
};
public void shutdownGracefully() {
System.out.println("AbstractMessageExecuteHandle+shutdownGracefully");
};
@Override
public void execute(){
}
public void init() {
if (StringUtils.isEmpty(topic)) {
topic = properties.getProperty("adachina.topicList");
if (StringUtils.isEmpty(topic)) {
log.error("The topic can't be empty.");
throw new IllegalArgumentException("The topic can't be empty.");
}
}
if (handler == null) {
log.error("Exectuor can't be null!");
throw new RuntimeException("Exectuor can't be null!");
}
}
public String getTopic() {
return topic;
}
public void setTopic(String topic) {
this.topic = topic;
}
public KafkaConsumer<String, String> getConsumer() {
return consumer;
}
public void setConsumer(KafkaConsumer<String, String> consumer) {
this.consumer = consumer;
}
public MessageHandler getHandler() {
return handler;
}
public void setHandler(MessageHandler handler) {
this.handler = handler;
}
}
| [
"[email protected]"
] | |
f7ff4eb34c23091d9825ac74cb73bd3867345855 | 135e7a4e07e39a1cf53df1bb5507c187765459e7 | /src/main/java/ngeneanalysys/code/enums/BrcaCNVCode.java | d8584797261b8e122774f568ae391201f942ae3f | [] | no_license | sangryulJung/ngeneanalysys-client-main-module_real_fork | df9543811fd4ed236a81e6da30b32878f508c5a6 | 67c62ac5357f094cb6b782b650ca56de049bcabf | refs/heads/master | 2021-02-14T08:17:03.696124 | 2020-03-04T02:23:40 | 2020-03-04T02:23:40 | 244,787,105 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,018 | java | package ngeneanalysys.code.enums;
import ngeneanalysys.util.StringUtils;
/**
* @author Jang
* @since 2018-10-31
*/
public enum BrcaCNVCode {
COPY_LOSS("Copy Loss", "Loss"),
COPY_GAIN("Copy Gain", "Gain"),
NORMAL("Normal", "Nor");
private String code;
private String initial;
BrcaCNVCode(String code, String initial) {
this.code = code;
this.initial = initial;
}
/**
* @return code
*/
public String getCode() {
return code;
}
/**
* @return initial
*/
public String getInitial() {
return initial;
}
public static String findInitial(String code) {
if(StringUtils.isEmpty(code)) {
return "";
} else if(code.equals(COPY_LOSS.code)) {
return COPY_LOSS.initial;
} else if(code.equals(NORMAL.code)) {
return NORMAL.initial;
} else if(code.equals(COPY_GAIN.code)) {
return COPY_GAIN.initial;
}
return "";
}
}
| [
"[email protected]"
] | |
474bf060b44af8e6f36aa7fd47cd3363b8511f76 | 74429ab9d0c2ad1e111c8a2f1ef70db5c68f252d | /enjoy/v1/concurrence/1/vip-concurrent/src/com/xiangxue/ch1/syn/SynTest.java | 6732f89f3b30b435a9967c8e63cc88d27e9a7dfb | [] | no_license | eangulee/java | 5e5af1ca3639634fd5db35ec50905282cd5ea36c | ead2f538234f4f5c13bee611d692f3fe756f5335 | refs/heads/master | 2022-12-21T01:04:48.743896 | 2020-08-11T07:16:44 | 2020-08-11T07:16:44 | 163,828,470 | 0 | 0 | null | 2022-12-16T08:00:24 | 2019-01-02T10:44:57 | Java | UTF-8 | Java | false | false | 1,311 | java | package com.xiangxue.ch1.syn;
import com.xiangxue.tools.SleepTools;
/**
* @author Mark老师 享学课堂 https://enjoy.ke.qq.com
*
* 类说明:
*/
public class SynTest {
private volatile int age = 100000;// 初始100000
// public int getAge() {
// return age;
// }
public void setAge() {
age = age + 20;
}
private static class TestThread extends Thread {
private SynTest synTest;
public TestThread(SynTest synTest, String name) {
super(name);
this.synTest = synTest;
}
@Override
public void run() {
for (int i = 0; i < 100000; i++) {// 递增100000
synTest.test();
}
///????为什么该线程输出不固定
System.out.println(Thread.currentThread().getName() + " age = " + synTest.getAge());
}
}
public synchronized void test() {
age++;
test2();
}
public synchronized void test2() {
age--;
}
public int getAge() {
return age;
}
public static void main(String[] args) throws InterruptedException {
SynTest synTest = new SynTest();
Thread endThread = new TestThread(synTest, "endThread");
endThread.start();
for (int i = 0; i < 100000; i++) {// 递减100000
synTest.test2();
}
System.out.println(Thread.currentThread().getName() + " age = " + synTest.getAge());///????为什么main线程输出一定为0
}
}
| [
"[email protected]"
] | |
f1c2f0dcc9aca6e9510b501a22456c49902b8ff5 | 17ef227b0cccb12b7bdfa32dcea9001da0255215 | /P4/src/P4.java | 39e04a144b7155435dafa546a4f8eafaf0cb212c | [] | no_license | kathypizza330/CS160 | 7420da2404bca512575024d38725b08dabd9a1fa | 43bfe1a33f5fc781110721abe3e4cf04543b2dd4 | refs/heads/master | 2020-03-18T11:40:50.712022 | 2018-05-24T08:40:42 | 2018-05-24T08:40:42 | 134,685,566 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,572 | java |
import java.util.Scanner;
//P4 Assignment
//Author: Lingyang Zhu
//Date: Sep 21, 2015
//Class: CS160
//Email: [email protected]
public class P4 {
public static void main(String[] args) {
//Define
double grossSalary, interestIncome, capGain, totIncome, adjIncome, totTax, stateTax;
int numExemption;
adjIncome = 0;
totTax = 0;
//Open Scanner
Scanner keyboard = new Scanner(System.in);
//Input
System.out.print("Gross Salary: ");
grossSalary = keyboard.nextDouble();
System.out.print("Number of Exemptions: ");
numExemption = keyboard.nextInt();
System.out.print("Interest Income: ");
interestIncome = keyboard.nextDouble();
System.out.print("Capital Gains: ");
capGain = keyboard.nextDouble();
//Compute
//Total Income
totIncome = grossSalary + interestIncome + capGain;
//Adjusted Income
if (numExemption >= 5)
adjIncome = totIncome - (numExemption*1800.00);
//Total Tax
if (adjIncome < 15000)
totTax = adjIncome * 0.0;
else if (adjIncome < 25000)
totTax = (adjIncome - 15000) * 0.15;
else if (adjIncome < 45000)
totTax = (adjIncome - 25000) * 0.25+1500.00;
else if (adjIncome >= 45000)
totTax = (adjIncome - 45000) * 0.3+1500.00+5000.00;
//State Tax
stateTax = adjIncome*0.055;
//Output
System.out.printf("Total Income: $%.2f\n", totIncome);
System.out.printf("Adjusted Income: $%.2f\n", adjIncome);
System.out.printf("Total Tax: $%.2f\n", totTax);
System.out.printf("State Tax: $%.2f\n", stateTax);
//Close Scanner
keyboard.close();
}
}
| [
"[email protected]"
] | |
cc243ec4c07f3d6581c2cf2b09f514532052d991 | da6824da06a1c4a24fbb1241eb04dac50b1480e7 | /QRDecomp.java | 226dff86cd857869d33bb5f036697acbd3e062dd | [] | no_license | AndyLeekung/Math2605 | 747af5ca5194ee4254f52b1902c9057a78fd3133 | a7e05ba987e9d62478deaf79c140ad996c602676 | refs/heads/master | 2021-01-17T11:53:12.983755 | 2015-04-01T02:50:29 | 2015-04-01T02:50:29 | 31,970,500 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,638 | java | import java.util.ArrayList;
public abstract class QRDecomp {
protected Matrix A;
protected Matrix Q;
protected Matrix R;
protected ArrayList<Matrix> qMatrices;
/**
* Row and column dimensions
*/
protected static int m;
protected static int n;
/**
* Return Q of the QR decomposition
* @return Matrix Q
*/
public Matrix getQ() {
return this.Q;
}
/**
* Return R of the QR decomposition
* @return Matrix R
*/
public Matrix getR() {
return this.R;
}
public Matrix getA() {
return this.A;
}
/**
* Solves the linear system given a vector b using QR
* @param b The vector to solve with
* @return Solution x
*/
public double[] solve(double[] b) {
double[] sol = new double[m];
//Solve for Qy = B
//y = Q^tb
double[] y = Q.transpose().multiplyVector(b);
//Solve for Rx = y
//use backwards substitution
sol[m - 1] = y[m - 1] / R.get(m - 1, m - 1);
for (int i = m - 2; i >= 0; i--) {
double[] row = R.getRowVector(i, i);
double extSum = 0;
for (int j = 1; j < row.length; j++) {
extSum += row[j] * sol[i + j];
}
sol[i] = (y[i] - extSum) / row[0];
}
return sol;
}
/**
* Calculates the error ||QR - A||
* @return The error
*/
public double error() {
double error;
//QR
Matrix errorMatrix = Q.multiply(R);
//QR - A
errorMatrix.minusEquals(A);
error = errorMatrix.maxNorm();
return Math.abs(error);
}
/**
* Calculates the solution error ||Hxsol - b||
* @return The error of the solution
*/
public double solError(double[] b) {
double error;
double[] errArray = this.A.multiplyVector(solve(b));
errArray = Matrix.minus(errArray, b);
error = Matrix.maxElement(errArray);
return Math.abs(error);
}
/**
* Prints the solutions to the QR decomposition
* @param w Column width.
* @param d Number of digits after the decimal
*/
public void print(int w, int d) {
System.out.println("----------Original Matrix----------");
A.print(w, d);
System.out.println("---------- Q ----------");
Q.print(w, d);
System.out.println("---------- R ----------");
R.print(w, d);
System.out.println("---------- Error ----------\n");
System.out.println("" + error() + "\n");
}
/**
* Checks if vector has zeroes below first term
* @param vector Vector to check
* @return True if vector has all zeroes below first term, else false
*/
protected boolean checkZeroes(double[] vector) {
boolean hasZeroes = true;
for (int i = 1; i < vector.length && hasZeroes == true; i++) {
if (vector[i] != 0) {
hasZeroes = false;
}
}
return hasZeroes;
}
}
| [
"[email protected]"
] | |
ab6259889cbb6e41a2fac7a57ddaaf5e3e4cd19d | 99c36959fad998ea4ab17cc20eccb3dd525b298c | /Exp29.java | daf409f828874f0baa5c2d2b3db05791a51d911c | [] | no_license | DevaGaneshB/Java-Laboratory | 145feed74fbe8ba57230f3278423adfce3805c84 | f278d5dbd055af1ea8b08e7028dee8b2a7ebae3f | refs/heads/master | 2020-03-25T04:52:00.951984 | 2018-09-04T12:32:33 | 2018-09-04T12:32:33 | 143,417,557 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 310 | java | //Example of method overriding
class Vehicle{
void run(){System.out.println("Vehicle is running");}
}
class Exp29 extends Vehicle{
void run(){System.out.println("Bike is running safely");}
public static void main(String args[]){
Exp29 obj = new Exp29();
obj.run();
}
} | [
"[email protected]"
] | |
1d6d1b7b8347d3d712449ed9f9f6af6420d1e467 | 716bbb432648612425cc5f5e89dee79e2a107b9c | /spring-data-samples/chapter-03-type-safe-queries/002-type-safe-querydsl/src/main/java/org/joolzminer/examples/sdata/domain/Product.java | ee951a46b3eb3738db2f6b47ac343482852111cf | [] | no_license | sergiofgonzalez/Spring-Data-Repo | 7358d14d4a41018f7e1766aa4604a9e7bb78d97f | 18353b00f868c3b17aad32e24b321481ba5b65e7 | refs/heads/master | 2021-01-17T11:54:21.544965 | 2014-03-19T08:03:23 | 2014-03-19T08:03:23 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,013 | java | package org.joolzminer.examples.sdata.domain;
import java.math.BigDecimal;
import java.util.Collections;
import java.util.HashMap;
import java.util.Map;
import com.mysema.query.annotations.QueryEntity;
@QueryEntity
public class Product extends AbstractEntity {
private String name;
private String description;
private BigDecimal price;
private Map<String, String> attributes = new HashMap<String,String>();
public Product() {
}
public Product(String name) {
this(name, null);
}
public Product(String name, String description) {
this.name = name;
this.description = description;
}
public void setAttributes(String key, String value) {
attributes.put(key, value);
}
public String getName() {
return name;
}
public String getDescription() {
return description;
}
public Map<String, String> getAttributes() {
return Collections.unmodifiableMap(attributes);
}
public BigDecimal getPrice() {
return price;
}
}
| [
"[email protected]"
] | |
b730ed5c67444ce00a6bc8eb4fa4c49a4574f926 | 2dd04aa98104c4feda0b4b09f0bf5a8e84ff04af | /synopticgwt/src/synopticgwt/client/invariants/model/NCPartition.java | 8d193fe696b9a5805f20c70946b841e07a29fa61 | [
"MIT"
] | permissive | ModelInference/synoptic | 218a633ee9d4dd231cd938536dcbbd88f0db6eef | a2b6a0dccc039c7497c4856306c04676831f2120 | refs/heads/master | 2022-09-15T16:37:36.604639 | 2022-09-06T14:15:42 | 2022-09-06T14:15:42 | 35,062,324 | 77 | 26 | null | 2017-11-04T01:01:41 | 2015-05-04T22:03:38 | Java | UTF-8 | Java | false | false | 1,589 | java | package synopticgwt.client.invariants.model;
import java.util.HashSet;
import java.util.Set;
/**
* This class contains the set of all NCwith invariants that implicate a
* particular baseEvent. This set of invariants is used to compactly present
* this set of relationships to the user. For example, the set of invariant is
* highlighted whenever the user mouses-over the baseEvent in the
* InvariantsGraph. Unlike ACPartition, NCwith invariants, the set of which are
* represented by this class, do _not_ have a transitive property.
*
*/
public class NCPartition {
private Event baseEvent;
private Set<POInvariant> NCInvs;
public NCPartition(Event baseEvent) {
this.baseEvent = baseEvent;
this.NCInvs = new HashSet<POInvariant>();
baseEvent.setNCPartition(this);
}
public boolean add(POInvariant gci) {
boolean result = isInvariantOverBaseEvent(gci);
if (result) {
NCInvs.add(gci);
}
return result;
}
/**
* Returns whether or not gci contains baseEvent.
*
* @param gci
* @return
*/
public boolean isInvariantOverBaseEvent(POInvariant gci) {
boolean equalsSrc = gci.getA().equals(baseEvent);
boolean equalsDst = gci.getB().equals(baseEvent);
return equalsSrc || equalsDst;
}
public void highlightOn() {
for (POInvariant gci : NCInvs) {
gci.highlightOn();
}
}
public void highlightOff() {
for (POInvariant gci : NCInvs) {
gci.highlightOff();
}
}
}
| [
"[email protected]"
] | |
32e66bb272af4f33f3044bada1d16d2be0032210 | be4f9618d3f1a9a961bc3471d7a9f94607f93b9a | /library/src/main/java/uk/co/senab/photoview/utils/ImageDownloadListener.java | 8e4b3c500553bb065a78320f32a4e4a2d9960a7d | [
"Apache-2.0"
] | permissive | bastiotutuama/FrescoPhotoView | b650862f08fa81e3c57beae520d9fc3b4bdbf3c9 | d105b1c27715642451eac18d9d0ee82a320fe60a | refs/heads/master | 2021-07-04T01:20:53.999549 | 2017-09-24T10:25:20 | 2017-09-24T10:25:20 | 104,633,235 | 2 | 1 | null | null | null | null | UTF-8 | Java | false | false | 168 | java | package uk.co.senab.photoview.utils;
/**
* Created by Sebastian Otutuama on 09/10/15.
*/
public interface ImageDownloadListener {
void onUpdate(int progress);
}
| [
"[email protected]"
] | |
409f7398b7934555e948878e9a44a5d5ebb14547 | 002140e0ea60a9fcfac9fc07f60bb3e9dc49ab67 | /src/main/java/net/ibizsys/psrt/srv/codelist/CodeList66CodeListModelBase.java | 1e9073b8bc6cd1518d56ef853ebd73357a7e3824 | [] | no_license | devibizsys/saibz5_all | ecacc91122920b8133c2cff3c2779c0ee0381211 | 87c44490511253b5b34cd778623f9b6a705cb97c | refs/heads/master | 2021-01-01T16:15:17.146300 | 2017-07-20T07:52:21 | 2017-07-20T07:52:21 | 97,795,014 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 1,390 | java | /**
* iBizSys 5.0 机器人生产代码(不要直接修改当前代码)
* http://www.ibizsys.net
*/
package net.ibizsys.psrt.srv.codelist;
import net.ibizsys.paas.codelist.CodeItem;
import net.ibizsys.paas.codelist.CodeItems;
import net.ibizsys.paas.codelist.CodeList;
import net.ibizsys.paas.sysmodel.StaticCodeListModelBase;
import net.ibizsys.paas.sysmodel.CodeListGlobal;
@CodeList(id="48f8fa9e84cb9134562d9034af8ce962",name="数据库触发器事件",type="STATIC",userscope=false,emptytext="未定义")
@CodeItems({
@CodeItem(value="INSERT",text="Insert",realtext="Insert" )
,@CodeItem(value="UPDATE",text="Update",realtext="Update" )
,@CodeItem(value="DELETE",text="Delete",realtext="Delete" )
})
/**
* 静态代码表[数据库触发器事件]模型基类
*/
public abstract class CodeList66CodeListModelBase extends net.ibizsys.paas.sysmodel.StaticCodeListModelBase {
/**
* Insert
*/
public final static String INSERT = "INSERT";
/**
* Update
*/
public final static String UPDATE = "UPDATE";
/**
* Delete
*/
public final static String DELETE = "DELETE";
public CodeList66CodeListModelBase() {
super();
this.initAnnotation(CodeList66CodeListModelBase.class);
CodeListGlobal.registerCodeList("net.ibizsys.psrt.srv.codelist.CodeList66CodeListModel", this);
}
} | [
"[email protected]"
] | |
476f84bfc84df91f211a898821884d63c8b21b03 | 8f13bf8f3a6e90f8d50c23764415d0a093605bff | /Java/TicTacToe2/Board.java | 30f556f23e64663840ff83d32ea769dd935d3810 | [] | no_license | yastaheran/Litt-Paa-Sia | 892203cd23d444c68e2598a44daa5eaada2298d0 | 54a811282079b63f710eed7f52fd4604bbe72fe6 | refs/heads/master | 2021-06-29T18:33:05.525646 | 2020-10-08T17:50:59 | 2020-10-08T17:50:59 | 158,077,855 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,656 | java | public class Board {
private int[][] Board= new int[3][3]; //Array som holder paa posisjonene til brikkene
public Board(){
clearBoard();
}
public void clearBoard(){
for(int linje=0 ; linje<3 ; linje++)
for(int kolonne=0 ; kolonne<3 ; kolonne++)
Board[linje][kolonne]=0;
}
public void showBoard(){
System.out.println();
for(int linje=0 ; linje<3 ; linje++){
for(int kolonne=0 ; kolonne<3 ; kolonne++){
if(Board[linje][kolonne]==-1){
System.out.print(" X ");
}
if(Board[linje][kolonne]==1){
System.out.print(" O ");
}
if(Board[linje][kolonne]==0){
System.out.print(" ");
}
if(kolonne==0 || kolonne==1)
System.out.print("|");
}
System.out.println();
}
}
public int getPosisjon(int[] forsok){
return Board[forsok[0]][forsok[1]];
}
public void setPosisjon(int[] forsok, int spiller){
if(spiller == 1)
Board[forsok[0]][forsok[1]] = -1;
else
Board[forsok[0]][forsok[1]] = 1;
}
public int sjekkLinjer(){
for(int linje=0 ; linje<3 ; linje++){
if( (Board[linje][0] + Board[linje][1] + Board[linje][2]) == -3) {
return -1;
}
if( (Board[linje][0] + Board[linje][1] + Board[linje][2]) == 3) {
return 1;
}
}
return 0;
}
public int sjekkKolonner(){
for(int kolonne=0 ; kolonne<3 ; kolonne++){
if( (Board[0][kolonne] + Board[1][kolonne] + Board[2][kolonne]) == -3) {
return -1;
}
if( (Board[0][kolonne] + Board[1][kolonne] + Board[2][kolonne]) == 3) {
return 1;
}
}
return 0;
}
public int sjekkDiagonal(){
if( (Board[0][0] + Board[1][1] + Board[2][2]) == -3) {
return -1;
}
if( (Board[0][0] + Board[1][1] + Board[2][2]) == 3) {
return 1;
}
if( (Board[0][2] + Board[1][1] + Board[2][0]) == -3) {
return 1;
}
if( (Board[0][2] + Board[1][1] + Board[2][0]) == 3) {
return 1;
}
return 0;
}
public boolean fullBoard(){
for(int linje=0 ; linje<3 ; linje++)
for(int kolonne=0 ; kolonne<3 ; kolonne++)
if( Board[linje][kolonne]==0 )
return false;
return true;
}
}
| [
"[email protected]"
] | |
fc21b8630810ca42c9860dfc2f208cc1632715fa | 3657b6f5b30ac061e2ab1db7cd745e2ca8183af3 | /DemoPrj-20201212/src/demo/junit/integration/ModuleDTest.java | 1bd3c004b75df4b0d05000f1dc79bb184b3703f3 | [] | no_license | Lxt000806/eclipse_workspace | b25f4f81bd0aa6f8d55fc834dd09cdb473af1f3f | 04376681ec91c3f8dbde2908d35612c4842a868c | refs/heads/main | 2023-05-23T12:05:26.989438 | 2021-06-13T05:49:26 | 2021-06-13T05:49:26 | 376,452,726 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 446 | java | package demo.junit.integration;
import static org.junit.jupiter.api.Assertions.*;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
class ModuleDTest {
ModuleD moduleD = new ModuleD();
@BeforeEach
void setUp() throws Exception {
}
@Test
void testSetModuleC() {
moduleD.setModuleC(new ModuleC());
}
@Test
void testOperate() {
moduleD.operate("111aaa", "111");
moduleD.operate("111", "111aaa");
}
}
| [
"[email protected]"
] | |
09280bc6f47ddd6ca71ea37e66dc8d42160108d6 | edf4062cdaf4b3140e8520a32ce9c4ec076ffab3 | /TrainingProgramProject/src/com/mastek/training/packone/Shape.java | bfc16011c74a0eefc33fe404c1ca64ba4cb22b8c | [] | no_license | AmyLeake/GraduateProgramJan2020 | b01bac7c017069287edf04b81d375157c3232af3 | e9b958d2603003f89e38fc77dfecd67a064f3128 | refs/heads/master | 2020-12-28T07:16:00.384097 | 2020-09-09T09:58:43 | 2020-09-09T09:58:43 | 238,225,344 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 404 | java | package com.mastek.training.packone;
//interface: a type which contain only method declarations and constraints
// the interface does not extend any existing type.
public interface Shape {
//no constructor can be defined in interfaces
//all variables are static and final
double PI = Math.PI;
//all methods are abstract
public double getArea();
public double getPerimeter();
}
| [
"[email protected]"
] | |
5299cd3e33f9995694125406110599310da39497 | 003bcd2e25b99915ebd0383341294e183c236421 | /XeroScouterCollect/app/src/main/java/wilsonvillerobotics/com/xeroscoutercollect/database/TableTableNameColumn.java | 1a3d5a50ea52e4eedf22324134243efb02d778a2 | [] | no_license | errorcodexero/scouting-system | e849815ecf84574f5ce838211e53a39b22a52a3a | 85e63f3eda697fcc85eac76c91c3fd53181075d4 | refs/heads/master | 2021-01-10T22:45:25.921101 | 2018-09-05T01:58:34 | 2018-09-05T01:58:34 | 70,357,917 | 2 | 0 | null | 2017-02-15T04:09:35 | 2016-10-08T21:16:46 | Java | UTF-8 | Java | false | false | 462 | java | package wilsonvillerobotics.com.xeroscoutercollect.database;
import java.util.function.Function;
import wilsonvillerobotics.com.xeroscoutercollect.activities.ManageDBActivity;
/**
* Created by nick on 12/6/16.
*/
public class TableTableNameColumn extends TableColumn<ManageDBActivity.TABLE_NAME> {
public TableTableNameColumn(String k, Function func){
super(k, func);
}
public TableTableNameColumn(String k){
super(k);
}
}
| [
"[email protected]"
] | |
6099c6ce4f1d6a87a34497bec1f96216f1fed20c | 4ad60a38c37792e76393964d8bcce3b9be6bc136 | /pandaz-auth/pandaz-auth-server/src/main/java/com/github/pandaz/auth/util/TenantUtil.java | b57b5a4553801dd8cc8045c5d9648e772ee741d2 | [
"MIT"
] | permissive | Carzer/pandaz | d62bde2c26676a0bf66fbdfb7676546c217b7538 | b751adb5fdb3c829b748c681d00c36439eed7560 | refs/heads/master | 2023-02-05T19:14:05.793907 | 2020-10-16T07:10:46 | 2020-10-16T07:10:46 | 224,390,610 | 9 | 0 | MIT | 2020-04-24T00:41:15 | 2019-11-27T09:15:09 | Java | UTF-8 | Java | false | false | 2,823 | java | package com.github.pandaz.auth.util;
import com.alicp.jetcache.Cache;
import com.alicp.jetcache.anno.CacheType;
import com.alicp.jetcache.anno.CreateCache;
import com.github.pandaz.auth.custom.constants.SysConstants;
import com.github.pandaz.auth.dto.SecurityUser;
import com.github.pandaz.commons.util.SpringBeanUtil;
import lombok.RequiredArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.security.core.Authentication;
import org.springframework.security.core.context.SecurityContextHolder;
import org.springframework.security.oauth2.common.OAuth2AccessToken;
import org.springframework.security.oauth2.provider.OAuth2Authentication;
import org.springframework.security.oauth2.provider.authentication.OAuth2AuthenticationDetails;
import org.springframework.security.oauth2.provider.token.store.JwtTokenStore;
import org.springframework.stereotype.Component;
import java.util.concurrent.TimeUnit;
/**
* 租户工具类
*
* @author Carzer
* @since 2020-09-07
*/
@Component
@Slf4j
@RequiredArgsConstructor(onConstructor = @__(@Autowired))
public class TenantUtil {
/**
* 验证码存储key
*/
private static final String TENANT_KEY = "pandaz:auth:tenant:";
@CreateCache(name = TENANT_KEY, cacheType = CacheType.BOTH, expire = 60, localExpire = 30, timeUnit = TimeUnit.MINUTES)
private Cache<String, Long> tenantCache;
/**
* 获取租户ID
*
* @return 租户ID
*/
public Long getTenantId() {
Authentication authentication = SecurityContextHolder.getContext().getAuthentication();
if (authentication != null) {
String name = authentication.getName();
// 首先从缓存中查询
Long tenantId = tenantCache.get(name);
if (tenantId != null) {
return tenantId;
}
// 从token中读取
if (authentication instanceof OAuth2Authentication) {
String token = ((OAuth2AuthenticationDetails) authentication.getDetails()).getTokenValue();
OAuth2AccessToken oAuth2AccessToken = SpringBeanUtil.getBean(JwtTokenStore.class).readAccessToken(token);
String tenantIdStr = oAuth2AccessToken.getAdditionalInformation().get(SysConstants.TOKEN_TENANT_ID).toString();
tenantId = Long.parseLong(tenantIdStr);
// 从用户信息中读取
} else if (authentication.getPrincipal() instanceof SecurityUser) {
tenantId = ((SecurityUser) authentication.getPrincipal()).getUser().getTenantId();
} else {
tenantId = -1L;
}
tenantCache.put(name, tenantId);
return tenantId;
}
return null;
}
}
| [
"[email protected]"
] | |
3947f67fdd5c54276a6fb44a4a123ef6b721af22 | 1160fe526e1992dadb2ed9e67bec83471900e32c | /taozi-generator/src/main/java/com/taozi/generator/mapper/GenTableMapper.java | 5647f6fbaa77e7b523486926991b3da14593f584 | [
"Apache-2.0"
] | permissive | sojava-code/taozi | db4c786b49de40cff2ac21a232bce8213cee2791 | a0ac54da093aa25137604105cdca8859dddab6e9 | refs/heads/main | 2023-06-28T02:32:32.689878 | 2021-08-01T08:38:23 | 2021-08-01T08:38:23 | 391,569,613 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,692 | java | package com.taozi.generator.mapper;
import java.util.List;
import com.taozi.generator.domain.GenTable;
/**
* 业务 数据层
*
* @author taozi
*/
public interface GenTableMapper
{
/**
* 查询业务列表
*
* @param genTable 业务信息
* @return 业务集合
*/
public List<GenTable> selectGenTableList(GenTable genTable);
/**
* 查询据库列表
*
* @param genTable 业务信息
* @return 数据库表集合
*/
public List<GenTable> selectDbTableList(GenTable genTable);
/**
* 查询据库列表
*
* @param tableNames 表名称组
* @return 数据库表集合
*/
public List<GenTable> selectDbTableListByNames(String[] tableNames);
/**
* 查询所有表信息
*
* @return 表信息集合
*/
public List<GenTable> selectGenTableAll();
/**
* 查询表ID业务信息
*
* @param id 业务ID
* @return 业务信息
*/
public GenTable selectGenTableById(Long id);
/**
* 查询表名称业务信息
*
* @param tableName 表名称
* @return 业务信息
*/
public GenTable selectGenTableByName(String tableName);
/**
* 新增业务
*
* @param genTable 业务信息
* @return 结果
*/
public int insertGenTable(GenTable genTable);
/**
* 修改业务
*
* @param genTable 业务信息
* @return 结果
*/
public int updateGenTable(GenTable genTable);
/**
* 批量删除业务
*
* @param ids 需要删除的数据ID
* @return 结果
*/
public int deleteGenTableByIds(Long[] ids);
}
| [
"[email protected]"
] | |
627ff4bb01d22480d60def7ae66e12ab0310bd82 | 7a1fef90f2d412c6530ed21eb9c913c8bcea1c86 | /Database/src/id/rtx/realadventure/database/DataHelper.java | 680a2979fe0e750ef7c4622abbb4c4c24b8bdea1 | [] | no_license | rtxtechnologie/RealAdventureDatabase | 0a200a63f8ef2c94902d97aaf1af0ffddc0fc848 | 937f0bfbe54fe677cef9536d958b15b655aa4ba5 | refs/heads/master | 2021-01-01T05:34:52.650717 | 2011-11-25T00:11:17 | 2011-11-25T00:11:17 | 2,842,484 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,376 | java | package id.rtx.realadventure.database;
import android.content.Context;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
import android.database.sqlite.SQLiteStatement;
import android.util.Log;
import java.util.ArrayList;
import java.util.List;
public class DataHelper {
private static final String DATABASE_NAME = "example.db";
private static final int DATABASE_VERSION = 1;
private static final String TABLE_NAME = "table1";
private Context context;
private SQLiteDatabase db;
private SQLiteStatement insertStmt;
//private static final String INSERT = "insert into " + TABLE_NAME + "(name) values (?)";
public DataHelper(Context context) {
this.context = context;
OpenHelper openHelper = new OpenHelper(this.context);
this.db = openHelper.getWritableDatabase();
//this.insertStmt = this.db.compileStatement(INSERT);
}
public long insert(String name) {
this.insertStmt = this.db.compileStatement("insert into T_GPX (BOUNDS_MINLAT,ID_GPX) values (?,?)");
this.insertStmt.bindString(1, "bounds");
this.insertStmt.bindString(2, name);
return this.insertStmt.executeInsert();
}
public void deleteAll() {
this.db.delete("T_GPX", null, null);
}
public List<String> selectAll(String t,String[] c,String w, String ob, int ids) {
List<String> list = new ArrayList<String>();
Cursor cursor = this.db.query(t, c, w, null, null, null, ob);
// Cursor cursor = this.db.query(TABLE_NAME, new String[] { "name" },null, null, null, null, "name asc");
if (cursor.moveToFirst()) {
do {
list.add(cursor.getString(0));
} while (cursor.moveToNext());
}
if (cursor != null && !cursor.isClosed()) {
cursor.close();
}
return list;
}
private static class OpenHelper extends SQLiteOpenHelper {
OpenHelper(Context context) {
super(context, DATABASE_NAME, null, DATABASE_VERSION);
}
@Override
public void onCreate(SQLiteDatabase db) {
db.execSQL("CREATE TABLE T_GPX (ID_GPX TEXT PRIMARY KEY, BOUNDS_MINLAT TEXT, BOUNDS_MINLOT TEXT, BOUNDS_MAXLAT TEXT, BOUNDS_MAXLON TEXT, META_NAME TEXT, META_DESC, META_AUTHOR TEXT, META_COPYRIGHT TEXT, META_TIME TEXT)");
db.execSQL("CREATE TABLE T_GPX_WAYPOINT (ID_GPX TEXT, LAT TEXT, LON TEXT, ELE TEXT, TIME TEXT, NAME TEXT, DESC TEXT, SIM TEXT, TYPE TEXT)");
db.execSQL("CREATE TABLE T_GPX_TRACK (ID_GPX TEXT, ID_TRACK INT PRIMARY KEY, H_NAME TEXT, H_NUMBER TEXT, H_TYPE TEXT)");
db.execSQL("CREATE TABLE T_GPX_ROUTE (ID_GPX TEXT, ID_ROUTE INT PRIMARY KEY, H_NAME TEXT, H_NUMBER TEXT, H_TYPE TEXT)");
db.execSQL("CREATE TABLE T_GPX_TRACK_CHILD (ID_TRACK INT, C_LAT INT, C_LON TEXT, C_ELE TEXT, C_TIME TEXT, C_SYM TEXT)");
db.execSQL("CREATE TABLE T_GPX_ROUTE_CHILD (ID_ROUTE INT, C_LAT INT, C_LON TEXT, C_ELE TEXT, C_TIME TEXT, C_NAME TEXT, C_DESC TEXT, C_SYM TEXT, C_TYPE TEXT)");
}
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
Log.w("Example", "Upgrading database, this will drop tables and recreate.");
db.execSQL("DROP TABLE IF EXISTS " + TABLE_NAME);
onCreate(db);
}
}
}
| [
"[email protected]"
] | |
692d7a50df16f6b1582a684f41b2e9fe2a3e9df4 | 6d0565b057769d9fb459c49c6b04b5c15f186cf7 | /src/main/java/com/test/nba/nbaInfo/constants/Constants.java | 2cc2cc60564223daf0f6cd1e8f872d967395c477 | [] | no_license | elranman/NBAPlayersProject | 265654ad74aca50c59e81a00ade146d8bf4270da | e973e35b234b820611725575f39225e0db5d1f72 | refs/heads/main | 2023-07-02T06:29:51.233934 | 2021-08-09T20:14:55 | 2021-08-09T20:14:55 | 394,424,132 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 520 | java | package com.test.nba.nbaInfo.constants;
public class Constants {
public static final String PREFIX_FILE = "src/main/resources/";
public static final String NOTIFICATION_PLAYERS_DETAILS_WAS_CHANGED_IN_CSV_FILE = "NOTIFICATION!!! players details was changed in csv file";
public static final String URL_PLAYER_BY_ID = "https://www.balldontlie.io/api/v1/players/{id}";
public static final String CSV_RESPONSE_FILE = "players_response.csv";
public static final String CSV_INPUT_FILE = "players.csv";
}
| [
"[email protected]"
] | |
e85988c36a652d1ebc3c44fd044e152d65e6a825 | db990b1322b065f2caa5760255bee8976710d63b | /app/src/main/java/tronku/dsc/eventmanager/Fragments/UpcomingEventsFragment.java | 97a8e9d1e53ada4054f7e8d94a8e94efa3ddbac7 | [] | no_license | dheerajkotwani/Evento | 746c8162685b3f650bcdfba189e318c06bbe2e70 | 6c6a5462ca7e31d9546f6d33d340056b95f59968 | refs/heads/master | 2020-09-07T05:00:12.214301 | 2019-11-09T14:09:13 | 2019-11-09T14:09:13 | 220,662,979 | 1 | 0 | null | 2019-11-09T15:34:03 | 2019-11-09T15:34:02 | null | UTF-8 | Java | false | false | 9,742 | java | package tronku.dsc.eventmanager.Fragments;
import android.content.Intent;
import android.content.IntentFilter;
import android.net.ConnectivityManager;
import android.os.Bundle;
import android.preference.PreferenceManager;
import android.support.annotation.Nullable;
import android.support.design.widget.FloatingActionButton;
import android.support.design.widget.Snackbar;
import android.support.v4.app.Fragment;
import android.support.v4.widget.SwipeRefreshLayout;
import android.support.v7.widget.LinearLayoutManager;
import android.support.v7.widget.RecyclerView;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.View;
import android.view.ViewGroup;
import android.view.inputmethod.EditorInfo;
import android.support.v7.widget.SearchView;
import android.widget.ProgressBar;
import android.widget.TextView;
import android.widget.Toast;
import com.android.volley.AuthFailureError;
import com.android.volley.Request;
import com.android.volley.RequestQueue;
import com.android.volley.Response;
import com.android.volley.VolleyError;
import com.android.volley.toolbox.JsonArrayRequest;
import com.android.volley.toolbox.Volley;
import tronku.dsc.eventmanager.EventoApplication;
import tronku.dsc.eventmanager.POJO.Event;
import tronku.dsc.eventmanager.Adapters.EventsAdapter;
import tronku.dsc.eventmanager.POJO.API;
import tronku.dsc.eventmanager.R;
import tronku.dsc.eventmanager.ConnectivityReceiverEvents;
import tronku.dsc.eventmanager.SocietyFilterActivity;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Map;
public class UpcomingEventsFragment extends Fragment {
private SwipeRefreshLayout swipeRefreshLayout;
private RecyclerView eventsRecyclerView;
private ArrayList<Event> eventList = new ArrayList<>();
public EventsAdapter adapter;
private FloatingActionButton filter, remove;
private boolean hasExtra = false;
private TextView noEvent;
private ProgressBar loader;
private ConnectivityReceiverEvents receiver;
public UpcomingEventsFragment() {
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
View view = inflater.inflate(R.layout.fragment_upcoming_events, container, false);
setHasOptionsMenu(true);
adapter = new EventsAdapter(getContext(), eventList);
swipeRefreshLayout = view.findViewById(R.id.swiperefresh);
eventsRecyclerView = view.findViewById(R.id.eventsListView);
noEvent = view.findViewById(R.id.noevents);
filter = view.findViewById(R.id.filter);
remove = view.findViewById(R.id.remove);
loader = view.findViewById(R.id.loader_upcoming);
eventsRecyclerView.setLayoutManager(new LinearLayoutManager(getContext()));
eventsRecyclerView.setAdapter(adapter);
//no internet process
Snackbar snackbar = Snackbar.make(filter, "No Internet Connection", Snackbar.LENGTH_INDEFINITE);
View snackbarView = snackbar.getView();
snackbarView.setBackgroundColor(getContext().getResources().getColor(R.color.red));
receiver = new ConnectivityReceiverEvents(this, "upcoming", hasExtra, snackbar, filter);
// if (receiver.isConnected() && eventList.isEmpty())
// updateEvents(hasExtra);
// else
// disconnectedPrev = true;
if(hasExtra)
remove.setVisibility(View.VISIBLE);
else
remove.setVisibility(View.GONE);
swipeRefreshLayout.setOnRefreshListener(new SwipeRefreshLayout.OnRefreshListener() {
@Override
public void onRefresh() {
if (receiver.isConnected()) {
updateEvents(hasExtra);
}
else {
Toast.makeText(getContext(), "No internet!", Toast.LENGTH_SHORT).show();
swipeRefreshLayout.setRefreshing(false);
}
}
});
filter.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent society = new Intent(getContext(), SocietyFilterActivity.class);
society.putExtra("upcoming", "true");
startActivity(society);
}
});
remove.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
hasExtra = false;
remove.setVisibility(View.GONE);
Toast.makeText(getContext(), "Filters removed!", Toast.LENGTH_SHORT).show();
updateEvents(false);
}
});
return view;
}
@Override
public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
if(getArguments()!=null){
hasExtra = true;
Log.e("Upcoming", "onCreate: true");
}
}
public void updateEvents(boolean hasExtra) {
Log.e("UpcomingUpdate", "updateEvents: " + hasExtra);
final ArrayList<Event> events = new ArrayList<>();
String url;
if(hasExtra){
url = "http://13.126.64.67/api/society/" + getArguments().getString("society") + "/events/upcoming";
}
else
url = API.EVENTS_API;
final String token = PreferenceManager.getDefaultSharedPreferences(getContext()).getString("token", "token_no");
Log.d("token", token);
JsonArrayRequest request = new JsonArrayRequest(Request.Method.GET, url,
null, new Response.Listener<JSONArray>() {
@Override
public void onResponse(JSONArray response) {
for(int i=0; i<response.length(); i++) {
try {
JSONObject event = response.getJSONObject(i);
String name = event.getString("name");
String society = event.getString("society_name");
String desc = event.getString("notes");
String image = event.getString("image");
String startFullDate = event.getString("start_day");
String endFullDate = event.getString("end_day");
String contact_person = event.getString("contact_person");
String contact_no = event.getString("contact_number");
String venue = event.getString("venue");
String logo = event.getString("society_logo");
String regLink = event.getString("registration_link");
String type = event.getString("society_type");
long id = event.getLong("id");
events.add(new Event(society, name, desc, startFullDate, endFullDate, image, contact_person, contact_no, venue, logo, regLink, id, type));
} catch (JSONException e) {
e.printStackTrace();
}
}
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
}
})
{
@Override
public Map<String, String> getHeaders() throws AuthFailureError {
HashMap<String, String> headers = new HashMap<>();
headers.put("Authorization", "Token " + token);
return headers;
}
};
EventoApplication.getInstance().addToRequestQueue(request);
EventoApplication.getInstance().getRequestQueue().addRequestFinishedListener(new RequestQueue.RequestFinishedListener<JSONObject>() {
@Override
public void onRequestFinished(Request<JSONObject> request) {
if(events.size()!=0) {
eventList.clear();
eventList = events;
adapter.updateEvents(eventList);
eventsRecyclerView.setVisibility(View.VISIBLE);
noEvent.setVisibility(View.INVISIBLE);
}
else {
noEvent.setVisibility(View.VISIBLE);
}
swipeRefreshLayout.setRefreshing(false);
loader.setVisibility(View.INVISIBLE);
}
});
}
@Override
public void onStart() {
super.onStart();
IntentFilter filter = new IntentFilter(ConnectivityManager.CONNECTIVITY_ACTION);
getActivity().registerReceiver(receiver, filter);
}
@Override
public void onStop() {
super.onStop();
getActivity().unregisterReceiver(receiver);
}
@Override
public void onCreateOptionsMenu(Menu menu, MenuInflater inflater) {
super.onCreateOptionsMenu(menu, inflater);
inflater.inflate(R.menu.menu, menu);
SearchView searchView = (SearchView) menu.findItem(R.id.search).getActionView();
searchView.setImeOptions(EditorInfo.IME_ACTION_DONE);
searchView.setOnQueryTextListener(new SearchView.OnQueryTextListener() {
@Override
public boolean onQueryTextSubmit(String query) {
adapter.getFilter().filter(query);
return false;
}
@Override
public boolean onQueryTextChange(String newText) {
adapter.getFilter().filter(newText);
return false;
}
});
}
}
| [
"[email protected]"
] | |
8540500706feec33ae44fdfa2daa2e8f176004fe | 0906179859c49b4c870d6285c0b338476e569633 | /rusheye-api/src/main/java/org/jboss/rusheye/suite/Perception.java | a918d70fbc90eb7d67fcf9c2d20d4d26c3c29213 | [] | no_license | lfryc/arquillian-rusheye | e2bcc4420823ca77837d2f4394fd511e1fb45ed6 | fdb0c9d4fd16027f328f1f9a8bb468f3d6ef55a8 | refs/heads/master | 2021-01-09T06:09:51.382336 | 2012-04-02T07:44:28 | 2012-04-02T07:44:28 | 3,898,437 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 7,077 | java | /**
* JBoss, Home of Professional Open Source
* Copyright ${year}, Red Hat, Inc. and individual contributors
* by the @authors tag. See the copyright.txt in the distribution for a
* full listing of individual contributors.
*
* This is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License as
* published by the Free Software Foundation; either version 2.1 of
* the License, or (at your option) any later version.
*
* This software is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public
* License along with this software; if not, write to the Free
* Software Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA
* 02110-1301 USA, or see the FSF site: http://www.fsf.org.
*/
package org.jboss.rusheye.suite;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlTransient;
import javax.xml.bind.annotation.XmlType;
/**
* <p>
* The perceptual settings to be used in comparison process.
* </p>
*
* @author <a href="mailto:[email protected]">Lukas Fryc</a>
* @version $Revision$
*/
@XmlAccessorType(XmlAccessType.PROPERTY)
@XmlType(name = "Perception", propOrder = { "onePixelTreshold", "globalDifferenceTreshold", "globalDifferenceAmount" })
public class Perception {
/**
* Used in case to decide that {@link AmountType} which tries to obtain is not the current {@link AmountType} set in
* this settings.
*/
private static final Number NOT_THIS_TYPE = new Double("0");
/** The one pixel treshold. */
protected Float onePixelTreshold;
/** The global difference treshold. */
protected Float globalDifferenceTreshold;
/** The global difference amount. */
protected String globalDifferenceAmount;
/**
* Gets the one pixel treshold.
*
* @return the one pixel treshold
*/
@XmlElement(name = "one-pixel-treshold")
public Float getOnePixelTreshold() {
return onePixelTreshold;
}
/**
* Sets the one pixel treshold.
*
* @param value
* the new one pixel treshold
*/
public void setOnePixelTreshold(Float value) {
this.onePixelTreshold = value;
}
/**
* Gets the global difference treshold.
*
* @return the global difference treshold
*/
@XmlElement(name = "global-difference-treshold")
public Float getGlobalDifferenceTreshold() {
return globalDifferenceTreshold;
}
/**
* Sets the global difference treshold.
*
* @param value
* the new global difference treshold
*/
public void setGlobalDifferenceTreshold(Float value) {
this.globalDifferenceTreshold = value;
}
/**
* Gets the global difference amount.
*
* @return the global difference amount
*/
@XmlElement(name = "global-difference-pixel-amount")
public String getGlobalDifferenceAmount() {
return globalDifferenceAmount;
}
/**
* Sets the global difference amount.
*
* @param value
* the new global difference amount
*/
public void setGlobalDifferenceAmount(String value) {
this.globalDifferenceAmount = value;
}
/*
*
*/
/**
* Gets the global difference pixel amount.
*
* @return the global difference pixel amount
*/
@XmlTransient
public Long getGlobalDifferencePixelAmount() {
Number number = getGlobalDifferenceAmount(AmountType.PIXEL);
return (number != NOT_THIS_TYPE) ? number.longValue() : null;
}
/**
* Sets the global difference pixel amount.
*
* @param globalDifferencePixelAmount
* the new global difference pixel amount
*/
public void setGlobalDifferencePixelAmount(long globalDifferencePixelAmount) {
this.globalDifferenceAmount = Long.toString(globalDifferencePixelAmount) + "px";
}
/**
* Gets the global difference percentage.
*
* @return the global difference percentage
*/
@XmlTransient
public Short getGlobalDifferencePercentage() {
Number number = getGlobalDifferenceAmount(AmountType.PERCENTAGE);
return (number != NOT_THIS_TYPE) ? number.shortValue() : null;
}
/**
* Sets the global difference percentage.
*
* @param globalDifferencePercentage
* the new global difference percentage
*/
public void setGlobalDifferencePercentage(short globalDifferencePercentage) {
this.globalDifferenceAmount = Short.valueOf(globalDifferencePercentage) + "%";
}
/**
* Gets the global difference amount.
*
* @param amountType
* the amount type
* @return the global difference amount
*/
public Number getGlobalDifferenceAmount(AmountType amountType) {
String amount = getGlobalDifferenceAmount();
if (amount == null) {
return null;
}
Matcher matcher = amountType.getPattern().matcher(amount);
if (matcher.lookingAt()) {
return amountType.parseAmount(matcher.group(1));
} else {
return NOT_THIS_TYPE;
}
}
public AmountType getGlobalDifferenceAmountType() {
String amount = getGlobalDifferenceAmount();
for (AmountType type : AmountType.values()) {
if (type.getPattern().matcher(amount).matches()) {
return type;
}
}
throw new IllegalStateException("The amount needs to be one of AmountType");
}
/**
* The enumeration of amount types.
*/
public static enum AmountType {
/** The PERCENTAGE. */
PERCENTAGE("([0-9]{1,2}|100)%"),
/** The PIXEL. */
PIXEL("^([0-9]+)px$");
/** The pattern. */
private Pattern pattern;
/**
* Instantiates a new amount type.
*
* @param pattern
* the pattern
*/
private AmountType(String pattern) {
this.pattern = Pattern.compile(pattern);
}
/**
* Gets the pattern.
*
* @return the pattern
*/
Pattern getPattern() {
return pattern;
}
/**
* Parses the amount.
*
* @param string
* the string
* @return the number
*/
Number parseAmount(String string) {
if (this == PERCENTAGE) {
return Short.valueOf(string);
} else {
return Long.valueOf(string);
}
}
}
}
| [
"[email protected]"
] | |
96730fa1b22ae9a56c73aca2c44201478872af15 | bd8d5e4cfcb899d551e470e139c487f9549bbe76 | /app/src/main/java/com/example/registrationactivity/MainActivity.java | 6dcd7d2d9213e5e5613f3715b86f6605e420d40e | [] | no_license | ramusarithak/completecrudandroid | 2fb9e57f648e700a2092e507bcccf1fb8a5dbf56 | b37d7ef1da537f8f16985f9d273523617c8682fa | refs/heads/master | 2020-12-03T23:09:53.758978 | 2020-01-03T05:24:56 | 2020-01-03T05:24:56 | 231,517,510 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,855 | java | package com.example.registrationactivity;
import androidx.appcompat.app.AppCompatActivity;
import android.content.Intent;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import android.widget.Toast;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
Button btn=(Button)findViewById(R.id.button2);
btn.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent intent=new Intent();
intent.putExtra("Register",0);
startActivity(intent);
EditText email_editText=(EditText)findViewById(R.id.emailEditText);
EditText password_editText=(EditText)findViewById(R.id.passwordEditText);
String Email=email_editText.getText().toString();
String pass=password_editText.getText().toString();
if(!Email.isEmpty() && !pass.isEmpty()){
Intent i=new Intent(MainActivity.this,Welcome.class);
i.putExtra("login",Email);
startActivity(i);
}else{
Toast.makeText(MainActivity.this,"please correctly fill the user name and password",Toast.LENGTH_LONG).show();
}
}
});
Button btn1=(Button)findViewById(R.id.button);
btn1.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent intent=new Intent(MainActivity.this,Register.class);
startActivity(intent);
}
});
}
}
| [
"[email protected]"
] | |
0e560a74c99fa0e4fc957f66097784771c7c4f32 | 0041269d1fa40fcc6a6428236ef41234385efe7f | /Atividade1/Samuel-3494/Ex4.java | 668162ac2e3d7a4d047011cfedd3f8041678060c | [
"MIT"
] | permissive | Globson/Entrega_Excs_POO | 3505df16975dd81d2f5c706f0e14d85302dbee84 | 57179e00b0286a7fada6a13a6fcc41d12e8eb478 | refs/heads/master | 2022-02-18T21:04:32.189718 | 2019-10-04T16:08:10 | 2019-10-04T16:08:10 | 205,260,281 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,036 | 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.
*/
import java.util.Scanner;
/**
*
* @author grobs
*/
public class Ex4 {
/**
* @param args the command line arguments
*/
public static void main(String[] args) {
// TODO code application logic here
Scanner sc = new Scanner(System.in);
float a,b,c,d;
double e;
System.out.printf("Entre com o salario bruto:");
a = sc.nextFloat();
System.out.printf("Entre com o total de tarifas a serem descontados:");
b = sc.nextFloat();
c = a -b;
System.out.printf("Entre com o valor do pedido de emprestimo:");
d = sc.nextFloat();
e = c * 0.3;
if(d>e){
System.out.println("Infelizmente o pedido foi recusado!");
}
else{
System.out.println("O pedido foi aceito!");
}
sc.close();
}
}
| [
"[email protected]"
] | |
0e83a4824e6cfaf0951a189fec189d688379030d | 6fa698a2b45c5b92eeeb91fa4091c08940ec11bd | /src/com/syntax/class23/WebDriverTest.java | b7fa5df2fdc5e6c9e78e1b71816d72174de69652 | [] | no_license | AhmetHaci/Syntax | 313de5611e0ea2c39922091891c110182081c533 | 71cfba95ef706699d9ef2f4b23983ace9728286f | refs/heads/master | 2021-03-20T03:40:42.494997 | 2020-04-18T22:45:58 | 2020-04-18T22:45:58 | 247,172,408 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 362 | java | package com.syntax.class23;
public class WebDriverTest {
public static void main(String[] args) {
WebDriver driver = new ChromeDriver(); // runtime polymorphism
driver.open();
WebDriver driver1 = new FireFoxDriver(); // runtime polymorphism
driver1.open();
WebDriver driver2 = new InternetExplorer(); // runtime polymorphism
driver2.open();
}
} | [
"[email protected]"
] | |
bc69cac20d86ece71f5d84e6c38fa7e3c440792a | a651a2bcaa8cc1400d78da92a0ae24fdb5ebf676 | /org.activiti.designer.gui/src/main/java/org/activiti/designer/property/PropertyMessageDefinitionPropertySection.java | b56f4ab1cb03f47cf6b0af3ad107f7c0852f2c1c | [] | no_license | chrisrobbo/Activiti-Designer | 3612af031324d2c701e031ef3a3c1af0f01d6b29 | 051b1d6d262b8cdb5c39f764237c0e91b038498f | refs/heads/master | 2020-12-30T22:56:16.300038 | 2018-10-18T00:18:09 | 2018-10-18T00:18:09 | 56,194,583 | 0 | 1 | null | 2016-04-14T00:17:10 | 2016-04-14T00:17:10 | null | UTF-8 | Java | false | false | 2,379 | java | package org.activiti.designer.property;
import org.activiti.designer.property.ui.MessageDefinitionEditor;
import org.eclipse.swt.SWT;
import org.eclipse.swt.custom.CLabel;
import org.eclipse.swt.layout.FormAttachment;
import org.eclipse.swt.layout.FormData;
import org.eclipse.swt.layout.GridLayout;
import org.eclipse.swt.widgets.Composite;
import org.eclipse.swt.widgets.Control;
import org.eclipse.swt.widgets.Display;
import org.eclipse.ui.views.properties.tabbed.ITabbedPropertyConstants;
import org.eclipse.ui.views.properties.tabbed.TabbedPropertySheetPage;
public class PropertyMessageDefinitionPropertySection extends ActivitiPropertySection implements ITabbedPropertyConstants {
protected MessageDefinitionEditor messageEditor;
@Override
public void createFormControls(TabbedPropertySheetPage aTabbedPropertySheetPage) {
Composite messageComposite = getWidgetFactory().createComposite(formComposite, SWT.WRAP);
FormData data = new FormData();
data.left = new FormAttachment(0, 150);
data.right = new FormAttachment(100, 0);
data.top = new FormAttachment(0, VSPACE);
messageComposite.setLayoutData(data);
GridLayout layout = new GridLayout();
layout.marginTop = 0;
layout.numColumns = 1;
messageComposite.setLayout(layout);
messageEditor = new MessageDefinitionEditor("messageEditor", messageComposite);
messageEditor.getLabelControl(messageComposite).setBackground(Display.getDefault().getSystemColor(SWT.COLOR_WHITE));
CLabel dataPropertiesLabel = getWidgetFactory().createCLabel(formComposite, "Message definitions:"); //$NON-NLS-1$
data = new FormData();
data.left = new FormAttachment(0, 0);
data.right = new FormAttachment(messageComposite, -HSPACE);
data.top = new FormAttachment(messageComposite, 0, SWT.TOP);
dataPropertiesLabel.setLayoutData(data);
}
@Override
public void refresh() {
if (getSelectedPictogramElement() != null) {
messageEditor.diagram = getDiagram();
messageEditor.editingDomain = getDiagramContainer().getDiagramBehavior().getEditingDomain();
messageEditor.initialize(getModel(getSelectedPictogramElement()).getBpmnModel().getMessages());
}
}
@Override
protected Object getModelValueForControl(Control control, Object businessObject) {
return null;
}
@Override
protected void storeValueInModel(Control control, Object businessObject) {
// nothing to do
}
}
| [
"[email protected]"
] | |
e89bce164130e66079b9f76b9bf4d9fc0998d157 | 26f331a3480959c7b3f4625d93f210bb6a676d13 | /app/src/main/java/com/wusir/download/DownLoadManger.java | 6673b3d0a0e57709293d02956972a1264e9a764e | [] | no_license | wusir-china/WuWeather | 0125e48a91426483cb86d534fa2c5ef78d2fe347 | 0475601fe4977176939b540ed4d9dd481d443e82 | refs/heads/master | 2021-05-14T18:43:38.540021 | 2018-04-16T03:37:11 | 2018-04-16T03:37:11 | 116,083,540 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,764 | java | package com.wusir.download;
import android.os.Environment;
import com.lzy.okgo.OkGo;
import com.lzy.okgo.request.GetRequest;
import com.lzy.okserver.OkDownload;
import com.lzy.okserver.task.XExecutor;
import com.wusir.adapter.section.Section;
import com.wusir.bean.StandItem;
import com.wusir.util.ToastUtil;
import java.io.File;
/**
* Created by Administrator on 2017/8/25 0025.
*/
public class DownLoadManger {
private static DownLoadManger downLoadManger;
private static OkDownload okDownload;
public static DownLoadManger getInstance(){
if(downLoadManger == null){
downLoadManger = new DownLoadManger();
initOkDownLoad();
}
return downLoadManger;
}
private static void initOkDownLoad(){
okDownload = OkDownload.getInstance();
okDownload.setFolder(Environment.getExternalStorageDirectory().getPath()+"/downLoad/wuwether");//下载目录
okDownload.getThreadPool().setCorePoolSize(3);//同时下载数量
okDownload.addOnAllTaskEndListener(new XExecutor.OnAllTaskEndListener() {
@Override
public void onAllTaskEnd() {
}
});
}
/**
* 开始下载
* @param url
*/
public void startDownLoad(String url, StandItem item){
if(okDownload.hasTask(url)){
return;
}
//ToastUtil.showToast("已加至下载列表");
GetRequest<File> request = OkGo.<File>get(url);
OkDownload.request(url,request)
.extra1(item)
.save()
.start();
}
public boolean isExist(String url){
return okDownload.hasTask(url);
}
public void removeAll(){
okDownload.removeAll(true);
}
}
| [
"[email protected]"
] | |
52ce32d1c457bb8d0b7a4b20ba9d0f8adcbb18ef | b342ae399e9063c5d35f46882a8612eee3a58f28 | /src/main/java/tv/twitch/moonmoon/rpengine2/chat/cmd/proxy/OocCommand.java | f6179e07046d20277c35c13b428efcd39c1db087 | [
"MIT"
] | permissive | windy1/RPEngine2 | 6ce708341b56709699af3e09c75eb81c9eb02950 | e5ef28ae9e43403751de5a7ead7edb40b1d36727 | refs/heads/master | 2022-09-03T07:31:24.683237 | 2020-05-20T18:35:05 | 2020-05-20T18:35:05 | 264,024,595 | 1 | 2 | null | null | null | null | UTF-8 | Java | false | false | 897 | java | package tv.twitch.moonmoon.rpengine2.chat.cmd.proxy;
import org.bukkit.plugin.Plugin;
import tv.twitch.moonmoon.rpengine2.chat.Chat;
import tv.twitch.moonmoon.rpengine2.cmd.parser.CommandPlayerParser;
import javax.inject.Inject;
public class OocCommand extends AbstractChannelProxyCommand implements ChannelJoinCommand {
private static final String NOT_CONFIGURED = "OOC channel not configured. To use /ooc, " +
"you must have a channel configured named `ooc`";
@Inject
public OocCommand(Plugin plugin, Chat chat, CommandPlayerParser playerParser) {
super(plugin, playerParser, chat);
}
@Override
public String getNotConfiguredMessage() {
return NOT_CONFIGURED;
}
@Override
public String getChannelName() {
return "ooc";
}
@Override
public String getConfigPath() {
return "chat.commands.ooc";
}
}
| [
"[email protected]"
] | |
259893d67fd42a56e410a0e4486f2aa15ab9c130 | 51c9e89bfdc871d4d0c1fa45aa229bfc6c0f9d8d | /app/build/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/com/BlueshoreFinancial/clientapp3/R.java | 9e4179a0473ee1117aa9316782acdbb2f2deb8d9 | [] | no_license | shaikhsiddik/TestProject | 0ca25f458849bea73fc54997d765373a3403c637 | 258ab0931369e17b7a76e66eeec6885fa09da8e0 | refs/heads/master | 2020-05-20T22:00:44.203461 | 2019-05-09T09:45:24 | 2019-05-09T09:45:24 | 185,772,239 | 0 | 0 | null | 2019-05-09T09:50:04 | 2019-05-09T09:50:04 | null | UTF-8 | Java | false | false | 837,027 | 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.BlueshoreFinancial.clientapp3;
public final class R {
public static final class anim {
public static final int abc_fade_in=0x7f010000;
public static final int abc_fade_out=0x7f010001;
public static final int abc_grow_fade_in_from_bottom=0x7f010002;
public static final int abc_popup_enter=0x7f010003;
public static final int abc_popup_exit=0x7f010004;
public static final int abc_shrink_fade_out_from_bottom=0x7f010005;
public static final int abc_slide_in_bottom=0x7f010006;
public static final int abc_slide_in_top=0x7f010007;
public static final int abc_slide_out_bottom=0x7f010008;
public static final int abc_slide_out_top=0x7f010009;
public static final int abc_tooltip_enter=0x7f01000a;
public static final int abc_tooltip_exit=0x7f01000b;
public static final int design_bottom_sheet_slide_in=0x7f01000c;
public static final int design_bottom_sheet_slide_out=0x7f01000d;
public static final int design_snackbar_in=0x7f01000e;
public static final int design_snackbar_out=0x7f01000f;
}
public static final class animator {
public static final int design_appbar_state_list_animator=0x7f020000;
}
public static final class attr {
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarDivider=0x7f030000;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarItemBackground=0x7f030001;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarPopupTheme=0x7f030002;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap_content</td><td>0</td><td></td></tr>
* </table>
*/
public static final int actionBarSize=0x7f030003;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarSplitStyle=0x7f030004;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarStyle=0x7f030005;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarTabBarStyle=0x7f030006;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarTabStyle=0x7f030007;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarTabTextStyle=0x7f030008;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarTheme=0x7f030009;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionBarWidgetTheme=0x7f03000a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionButtonStyle=0x7f03000b;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionDropDownStyle=0x7f03000c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionLayout=0x7f03000d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionMenuTextAppearance=0x7f03000e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int actionMenuTextColor=0x7f03000f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeBackground=0x7f030010;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeCloseButtonStyle=0x7f030011;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeCloseDrawable=0x7f030012;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeCopyDrawable=0x7f030013;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeCutDrawable=0x7f030014;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeFindDrawable=0x7f030015;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModePasteDrawable=0x7f030016;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModePopupWindowStyle=0x7f030017;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeSelectAllDrawable=0x7f030018;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeShareDrawable=0x7f030019;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeSplitBackground=0x7f03001a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeStyle=0x7f03001b;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionModeWebSearchDrawable=0x7f03001c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionOverflowButtonStyle=0x7f03001d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int actionOverflowMenuStyle=0x7f03001e;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int actionProviderClass=0x7f03001f;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int actionViewClass=0x7f030020;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int activityChooserViewStyle=0x7f030021;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int alertDialogButtonGroupStyle=0x7f030022;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int alertDialogCenterButtons=0x7f030023;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int alertDialogStyle=0x7f030024;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int alertDialogTheme=0x7f030025;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int allowStacking=0x7f030026;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int alpha=0x7f030027;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>ALT</td><td>2</td><td></td></tr>
* <tr><td>CTRL</td><td>1000</td><td></td></tr>
* <tr><td>FUNCTION</td><td>8</td><td></td></tr>
* <tr><td>META</td><td>10000</td><td></td></tr>
* <tr><td>SHIFT</td><td>1</td><td></td></tr>
* <tr><td>SYM</td><td>4</td><td></td></tr>
* </table>
*/
public static final int alphabeticModifiers=0x7f030028;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int arrowHeadLength=0x7f030029;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int arrowShaftLength=0x7f03002a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int autoCompleteTextViewStyle=0x7f03002b;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int autoSizeMaxTextSize=0x7f03002c;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int autoSizeMinTextSize=0x7f03002d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int autoSizePresetSizes=0x7f03002e;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int autoSizeStepGranularity=0x7f03002f;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>uniform</td><td>1</td><td></td></tr>
* </table>
*/
public static final int autoSizeTextType=0x7f030030;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int background=0x7f030031;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int backgroundSplit=0x7f030032;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int backgroundStacked=0x7f030033;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int backgroundTint=0x7f030034;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int backgroundTintMode=0x7f030035;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int barLength=0x7f030036;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int barrierAllowsGoneWidgets=0x7f030037;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>3</td><td></td></tr>
* <tr><td>end</td><td>6</td><td></td></tr>
* <tr><td>left</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>1</td><td></td></tr>
* <tr><td>start</td><td>5</td><td></td></tr>
* <tr><td>top</td><td>2</td><td></td></tr>
* </table>
*/
public static final int barrierDirection=0x7f030038;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int behavior_autoHide=0x7f030039;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int behavior_hideable=0x7f03003a;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int behavior_overlapTop=0x7f03003b;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>ffffffff</td><td></td></tr>
* </table>
*/
public static final int behavior_peekHeight=0x7f03003c;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int behavior_skipCollapsed=0x7f03003d;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int borderWidth=0x7f03003e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int borderlessButtonStyle=0x7f03003f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int bottomSheetDialogTheme=0x7f030040;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int bottomSheetStyle=0x7f030041;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonBarButtonStyle=0x7f030042;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonBarNegativeButtonStyle=0x7f030043;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonBarNeutralButtonStyle=0x7f030044;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonBarPositiveButtonStyle=0x7f030045;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonBarStyle=0x7f030046;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*/
public static final int buttonGravity=0x7f030047;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int buttonIconDimen=0x7f030048;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonPanelSideLayout=0x7f030049;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>icon_only</td><td>2</td><td></td></tr>
* <tr><td>standard</td><td>0</td><td></td></tr>
* <tr><td>wide</td><td>1</td><td></td></tr>
* </table>
*/
public static final int buttonSize=0x7f03004a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonStyle=0x7f03004b;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int buttonStyleSmall=0x7f03004c;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int buttonTint=0x7f03004d;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int buttonTintMode=0x7f03004e;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int cardBackgroundColor=0x7f03004f;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int cardCornerRadius=0x7f030050;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int cardElevation=0x7f030051;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int cardMaxElevation=0x7f030052;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int cardPreventCornerOverlap=0x7f030053;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int cardUseCompatPadding=0x7f030054;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int cardViewStyle=0x7f030055;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int chainUseRtl=0x7f030056;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int checkboxStyle=0x7f030057;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int checkedTextViewStyle=0x7f030058;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int circleCrop=0x7f030059;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int closeIcon=0x7f03005a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int closeItemLayout=0x7f03005b;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int collapseContentDescription=0x7f03005c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int collapseIcon=0x7f03005d;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*/
public static final int collapsedTitleGravity=0x7f03005e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int collapsedTitleTextAppearance=0x7f03005f;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int color=0x7f030060;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorAccent=0x7f030061;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorBackgroundFloating=0x7f030062;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorButtonNormal=0x7f030063;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorControlActivated=0x7f030064;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorControlHighlight=0x7f030065;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorControlNormal=0x7f030066;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorError=0x7f030067;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorPrimary=0x7f030068;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorPrimaryDark=0x7f030069;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>2</td><td></td></tr>
* <tr><td>dark</td><td>0</td><td></td></tr>
* <tr><td>light</td><td>1</td><td></td></tr>
* </table>
*/
public static final int colorScheme=0x7f03006a;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int colorSwitchThumbNormal=0x7f03006b;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int commitIcon=0x7f03006c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int constraintSet=0x7f03006d;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int constraint_referenced_ids=0x7f03006e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int content=0x7f03006f;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int contentDescription=0x7f030070;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentInsetEnd=0x7f030071;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentInsetEndWithActions=0x7f030072;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentInsetLeft=0x7f030073;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentInsetRight=0x7f030074;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentInsetStart=0x7f030075;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentInsetStartWithNavigation=0x7f030076;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentPadding=0x7f030077;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentPaddingBottom=0x7f030078;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentPaddingLeft=0x7f030079;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentPaddingRight=0x7f03007a;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int contentPaddingTop=0x7f03007b;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int contentScrim=0x7f03007c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int controlBackground=0x7f03007d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int coordinatorLayoutStyle=0x7f03007e;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int counterEnabled=0x7f03007f;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int counterMaxLength=0x7f030080;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int counterOverflowTextAppearance=0x7f030081;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int counterTextAppearance=0x7f030082;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int customNavigationLayout=0x7f030083;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int defaultQueryHint=0x7f030084;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int dialogPreferredPadding=0x7f030085;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int dialogTheme=0x7f030086;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>disableHome</td><td>20</td><td></td></tr>
* <tr><td>homeAsUp</td><td>4</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>showCustom</td><td>10</td><td></td></tr>
* <tr><td>showHome</td><td>2</td><td></td></tr>
* <tr><td>showTitle</td><td>8</td><td></td></tr>
* <tr><td>useLogo</td><td>1</td><td></td></tr>
* </table>
*/
public static final int displayOptions=0x7f030087;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int divider=0x7f030088;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int dividerHorizontal=0x7f030089;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int dividerPadding=0x7f03008a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int dividerVertical=0x7f03008b;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int drawableSize=0x7f03008c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int drawerArrowStyle=0x7f03008d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int dropDownListViewStyle=0x7f03008e;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int dropdownListPreferredItemHeight=0x7f03008f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int editTextBackground=0x7f030090;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int editTextColor=0x7f030091;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int editTextStyle=0x7f030092;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int elevation=0x7f030093;
/**
* <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>gone</td><td>0</td><td></td></tr>
* <tr><td>invisible</td><td>1</td><td></td></tr>
* </table>
*/
public static final int emptyVisibility=0x7f030094;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int errorEnabled=0x7f030095;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int errorTextAppearance=0x7f030096;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int expandActivityOverflowButtonDrawable=0x7f030097;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int expanded=0x7f030098;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*/
public static final int expandedTitleGravity=0x7f030099;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int expandedTitleMargin=0x7f03009a;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int expandedTitleMarginBottom=0x7f03009b;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int expandedTitleMarginEnd=0x7f03009c;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int expandedTitleMarginStart=0x7f03009d;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int expandedTitleMarginTop=0x7f03009e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int expandedTitleTextAppearance=0x7f03009f;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int fabCustomSize=0x7f0300a0;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>ffffffff</td><td></td></tr>
* <tr><td>mini</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*/
public static final int fabSize=0x7f0300a1;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int fastScrollEnabled=0x7f0300a2;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int fastScrollHorizontalThumbDrawable=0x7f0300a3;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int fastScrollHorizontalTrackDrawable=0x7f0300a4;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int fastScrollVerticalThumbDrawable=0x7f0300a5;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int fastScrollVerticalTrackDrawable=0x7f0300a6;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int font=0x7f0300a7;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int fontFamily=0x7f0300a8;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int fontProviderAuthority=0x7f0300a9;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int fontProviderCerts=0x7f0300aa;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>async</td><td>1</td><td></td></tr>
* <tr><td>blocking</td><td>0</td><td></td></tr>
* </table>
*/
public static final int fontProviderFetchStrategy=0x7f0300ab;
/**
* <p>May be an integer value, such as "<code>100</code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>forever</td><td>ffffffff</td><td></td></tr>
* </table>
*/
public static final int fontProviderFetchTimeout=0x7f0300ac;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int fontProviderPackage=0x7f0300ad;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int fontProviderQuery=0x7f0300ae;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>italic</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*/
public static final int fontStyle=0x7f0300af;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int fontWeight=0x7f0300b0;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int foregroundInsidePadding=0x7f0300b1;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int gapBetweenBars=0x7f0300b2;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int goIcon=0x7f0300b3;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int headerLayout=0x7f0300b4;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int height=0x7f0300b5;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int hideOnContentScroll=0x7f0300b6;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int hintAnimationEnabled=0x7f0300b7;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int hintEnabled=0x7f0300b8;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int hintTextAppearance=0x7f0300b9;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int homeAsUpIndicator=0x7f0300ba;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int homeLayout=0x7f0300bb;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int icon=0x7f0300bc;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int iconTint=0x7f0300bd;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int iconTintMode=0x7f0300be;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int iconifiedByDefault=0x7f0300bf;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int imageAspectRatio=0x7f0300c0;
/**
* <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>adjust_height</td><td>2</td><td></td></tr>
* <tr><td>adjust_width</td><td>1</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* </table>
*/
public static final int imageAspectRatioAdjust=0x7f0300c1;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int imageButtonStyle=0x7f0300c2;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int indeterminateProgressStyle=0x7f0300c3;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int initialActivityCount=0x7f0300c4;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int insetForeground=0x7f0300c5;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int isLightTheme=0x7f0300c6;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int itemBackground=0x7f0300c7;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int itemIconTint=0x7f0300c8;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int itemPadding=0x7f0300c9;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int itemTextAppearance=0x7f0300ca;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int itemTextColor=0x7f0300cb;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int keylines=0x7f0300cc;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int layout=0x7f0300cd;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int layoutManager=0x7f0300ce;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int layout_anchor=0x7f0300cf;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*/
public static final int layout_anchorGravity=0x7f0300d0;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_aspectRatio=0x7f0300d1;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int layout_behavior=0x7f0300d2;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>parallax</td><td>2</td><td></td></tr>
* <tr><td>pin</td><td>1</td><td></td></tr>
* </table>
*/
public static final int layout_collapseMode=0x7f0300d3;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_collapseParallaxMultiplier=0x7f0300d4;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int layout_constrainedHeight=0x7f0300d5;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int layout_constrainedWidth=0x7f0300d6;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_constraintBaseline_creator=0x7f0300d7;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintBaseline_toBaselineOf=0x7f0300d8;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_constraintBottom_creator=0x7f0300d9;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintBottom_toBottomOf=0x7f0300da;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintBottom_toTopOf=0x7f0300db;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int layout_constraintCircle=0x7f0300dc;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_constraintCircleAngle=0x7f0300dd;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_constraintCircleRadius=0x7f0300de;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int layout_constraintDimensionRatio=0x7f0300df;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintEnd_toEndOf=0x7f0300e0;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintEnd_toStartOf=0x7f0300e1;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_constraintGuide_begin=0x7f0300e2;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_constraintGuide_end=0x7f0300e3;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintGuide_percent=0x7f0300e4;
/**
* <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>percent</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>wrap</td><td>1</td><td></td></tr>
* </table>
*/
public static final int layout_constraintHeight_default=0x7f0300e5;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*/
public static final int layout_constraintHeight_max=0x7f0300e6;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*/
public static final int layout_constraintHeight_min=0x7f0300e7;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintHeight_percent=0x7f0300e8;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintHorizontal_bias=0x7f0300e9;
/**
* <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>packed</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>spread_inside</td><td>1</td><td></td></tr>
* </table>
*/
public static final int layout_constraintHorizontal_chainStyle=0x7f0300ea;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintHorizontal_weight=0x7f0300eb;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_constraintLeft_creator=0x7f0300ec;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintLeft_toLeftOf=0x7f0300ed;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintLeft_toRightOf=0x7f0300ee;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_constraintRight_creator=0x7f0300ef;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintRight_toLeftOf=0x7f0300f0;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintRight_toRightOf=0x7f0300f1;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintStart_toEndOf=0x7f0300f2;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintStart_toStartOf=0x7f0300f3;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_constraintTop_creator=0x7f0300f4;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintTop_toBottomOf=0x7f0300f5;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*/
public static final int layout_constraintTop_toTopOf=0x7f0300f6;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintVertical_bias=0x7f0300f7;
/**
* <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>packed</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>spread_inside</td><td>1</td><td></td></tr>
* </table>
*/
public static final int layout_constraintVertical_chainStyle=0x7f0300f8;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintVertical_weight=0x7f0300f9;
/**
* <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>percent</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>wrap</td><td>1</td><td></td></tr>
* </table>
*/
public static final int layout_constraintWidth_default=0x7f0300fa;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*/
public static final int layout_constraintWidth_max=0x7f0300fb;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*/
public static final int layout_constraintWidth_min=0x7f0300fc;
/**
* <p>May be a floating point value, such as "<code>1.2</code>".
*/
public static final int layout_constraintWidth_percent=0x7f0300fd;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>all</td><td>77</td><td></td></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*/
public static final int layout_dodgeInsetEdges=0x7f0300fe;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_editor_absoluteX=0x7f0300ff;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_editor_absoluteY=0x7f030100;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_goneMarginBottom=0x7f030101;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_goneMarginEnd=0x7f030102;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_goneMarginLeft=0x7f030103;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_goneMarginRight=0x7f030104;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_goneMarginStart=0x7f030105;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int layout_goneMarginTop=0x7f030106;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_heightPercent=0x7f030107;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*/
public static final int layout_insetEdge=0x7f030108;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int layout_keyline=0x7f030109;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginBottomPercent=0x7f03010a;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginEndPercent=0x7f03010b;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginLeftPercent=0x7f03010c;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginPercent=0x7f03010d;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginRightPercent=0x7f03010e;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginStartPercent=0x7f03010f;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_marginTopPercent=0x7f030110;
/**
* <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>barrier</td><td>2</td><td></td></tr>
* <tr><td>chains</td><td>4</td><td></td></tr>
* <tr><td>dimensions</td><td>8</td><td></td></tr>
* <tr><td>direct</td><td>1</td><td>direct, barriers, chains</td></tr>
* <tr><td>groups</td><td>20</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>standard</td><td>7</td><td></td></tr>
* </table>
*/
public static final int layout_optimizationLevel=0x7f030111;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>enterAlways</td><td>4</td><td></td></tr>
* <tr><td>enterAlwaysCollapsed</td><td>8</td><td></td></tr>
* <tr><td>exitUntilCollapsed</td><td>2</td><td></td></tr>
* <tr><td>scroll</td><td>1</td><td></td></tr>
* <tr><td>snap</td><td>10</td><td></td></tr>
* </table>
*/
public static final int layout_scrollFlags=0x7f030112;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int layout_scrollInterpolator=0x7f030113;
/**
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int layout_widthPercent=0x7f030114;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int listChoiceBackgroundIndicator=0x7f030115;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int listDividerAlertDialog=0x7f030116;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int listItemLayout=0x7f030117;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int listLayout=0x7f030118;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int listMenuViewStyle=0x7f030119;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int listPopupWindowStyle=0x7f03011a;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int listPreferredItemHeight=0x7f03011b;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int listPreferredItemHeightLarge=0x7f03011c;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int listPreferredItemHeightSmall=0x7f03011d;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int listPreferredItemPaddingLeft=0x7f03011e;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int listPreferredItemPaddingRight=0x7f03011f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int logo=0x7f030120;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int logoDescription=0x7f030121;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int maxActionInlineWidth=0x7f030122;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int maxButtonHeight=0x7f030123;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int measureWithLargestChild=0x7f030124;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int menu=0x7f030125;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int mfp_toolbar_theme=0x7f030126;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int multiChoiceItemLayout=0x7f030127;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int navigationContentDescription=0x7f030128;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int navigationIcon=0x7f030129;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>listMode</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* <tr><td>tabMode</td><td>2</td><td></td></tr>
* </table>
*/
public static final int navigationMode=0x7f03012a;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>ALT</td><td>2</td><td></td></tr>
* <tr><td>CTRL</td><td>1000</td><td></td></tr>
* <tr><td>FUNCTION</td><td>8</td><td></td></tr>
* <tr><td>META</td><td>10000</td><td></td></tr>
* <tr><td>SHIFT</td><td>1</td><td></td></tr>
* <tr><td>SYM</td><td>4</td><td></td></tr>
* </table>
*/
public static final int numericModifiers=0x7f03012b;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int overlapAnchor=0x7f03012c;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int paddingBottomNoButtons=0x7f03012d;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int paddingEnd=0x7f03012e;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int paddingStart=0x7f03012f;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int paddingTopNoTitle=0x7f030130;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int panelBackground=0x7f030131;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int panelMenuListTheme=0x7f030132;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int panelMenuListWidth=0x7f030133;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int passwordToggleContentDescription=0x7f030134;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int passwordToggleDrawable=0x7f030135;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int passwordToggleEnabled=0x7f030136;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int passwordToggleTint=0x7f030137;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int passwordToggleTintMode=0x7f030138;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int popupMenuStyle=0x7f030139;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int popupTheme=0x7f03013a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int popupWindowStyle=0x7f03013b;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int preserveIconSpacing=0x7f03013c;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int pressedTranslationZ=0x7f03013d;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int progressBarPadding=0x7f03013e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int progressBarStyle=0x7f03013f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int queryBackground=0x7f030140;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int queryHint=0x7f030141;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int radioButtonStyle=0x7f030142;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int ratingBarStyle=0x7f030143;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int ratingBarStyleIndicator=0x7f030144;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int ratingBarStyleSmall=0x7f030145;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int reverseLayout=0x7f030146;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int rippleColor=0x7f030147;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int scopeUris=0x7f030148;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int scrimAnimationDuration=0x7f030149;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int scrimVisibleHeightTrigger=0x7f03014a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int searchHintIcon=0x7f03014b;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int searchIcon=0x7f03014c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int searchViewStyle=0x7f03014d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int seekBarStyle=0x7f03014e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int selectableItemBackground=0x7f03014f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int selectableItemBackgroundBorderless=0x7f030150;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>always</td><td>2</td><td></td></tr>
* <tr><td>collapseActionView</td><td>8</td><td></td></tr>
* <tr><td>ifRoom</td><td>1</td><td></td></tr>
* <tr><td>never</td><td>0</td><td></td></tr>
* <tr><td>withText</td><td>4</td><td></td></tr>
* </table>
*/
public static final int showAsAction=0x7f030151;
/**
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>beginning</td><td>1</td><td></td></tr>
* <tr><td>end</td><td>4</td><td></td></tr>
* <tr><td>middle</td><td>2</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* </table>
*/
public static final int showDividers=0x7f030152;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int showText=0x7f030153;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int showTitle=0x7f030154;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int singleChoiceItemLayout=0x7f030155;
/**
* <p>May be an integer value, such as "<code>100</code>".
*/
public static final int spanCount=0x7f030156;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int spinBars=0x7f030157;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int spinnerDropDownItemStyle=0x7f030158;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int spinnerStyle=0x7f030159;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int splitTrack=0x7f03015a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int srcCompat=0x7f03015b;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int stackFromEnd=0x7f03015c;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int state_above_anchor=0x7f03015d;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int state_collapsed=0x7f03015e;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int state_collapsible=0x7f03015f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int statusBarBackground=0x7f030160;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int statusBarScrim=0x7f030161;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int subMenuArrow=0x7f030162;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int submitBackground=0x7f030163;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int subtitle=0x7f030164;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int subtitleTextAppearance=0x7f030165;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int subtitleTextColor=0x7f030166;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int subtitleTextStyle=0x7f030167;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int suggestionRowLayout=0x7f030168;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int switchMinWidth=0x7f030169;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int switchPadding=0x7f03016a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int switchStyle=0x7f03016b;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int switchTextAppearance=0x7f03016c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int tabBackground=0x7f03016d;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabContentStart=0x7f03016e;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>center</td><td>1</td><td></td></tr>
* <tr><td>fill</td><td>0</td><td></td></tr>
* </table>
*/
public static final int tabGravity=0x7f03016f;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int tabIndicatorColor=0x7f030170;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabIndicatorHeight=0x7f030171;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabMaxWidth=0x7f030172;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabMinWidth=0x7f030173;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fixed</td><td>1</td><td></td></tr>
* <tr><td>scrollable</td><td>0</td><td></td></tr>
* </table>
*/
public static final int tabMode=0x7f030174;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabPadding=0x7f030175;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabPaddingBottom=0x7f030176;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabPaddingEnd=0x7f030177;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabPaddingStart=0x7f030178;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int tabPaddingTop=0x7f030179;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int tabSelectedTextColor=0x7f03017a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int tabTextAppearance=0x7f03017b;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int tabTextColor=0x7f03017c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int textAllCaps=0x7f03017d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceLargePopupMenu=0x7f03017e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceListItem=0x7f03017f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceListItemSecondary=0x7f030180;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceListItemSmall=0x7f030181;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearancePopupMenuHeader=0x7f030182;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceSearchResultSubtitle=0x7f030183;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceSearchResultTitle=0x7f030184;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int textAppearanceSmallPopupMenu=0x7f030185;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int textColorAlertDialogListItem=0x7f030186;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int textColorError=0x7f030187;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int textColorSearchUrl=0x7f030188;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int theme=0x7f030189;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int thickness=0x7f03018a;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int thumbTextPadding=0x7f03018b;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int thumbTint=0x7f03018c;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int thumbTintMode=0x7f03018d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int tickMark=0x7f03018e;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int tickMarkTint=0x7f03018f;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int tickMarkTintMode=0x7f030190;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int tint=0x7f030191;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int tintMode=0x7f030192;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int title=0x7f030193;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int titleEnabled=0x7f030194;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int titleMargin=0x7f030195;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int titleMarginBottom=0x7f030196;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int titleMarginEnd=0x7f030197;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int titleMarginStart=0x7f030198;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int titleMarginTop=0x7f030199;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*/
public static final int titleMargins=0x7f03019a;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int titleTextAppearance=0x7f03019b;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int titleTextColor=0x7f03019c;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int titleTextStyle=0x7f03019d;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int toolbarId=0x7f03019e;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int toolbarNavigationButtonStyle=0x7f03019f;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int toolbarStyle=0x7f0301a0;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int tooltipForegroundColor=0x7f0301a1;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int tooltipFrameBackground=0x7f0301a2;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int tooltipText=0x7f0301a3;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int track=0x7f0301a4;
/**
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*/
public static final int trackTint=0x7f0301a5;
/**
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*/
public static final int trackTintMode=0x7f0301a6;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int useCompatPadding=0x7f0301a7;
/**
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*/
public static final int viewInflaterClass=0x7f0301a8;
/**
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*/
public static final int voiceIcon=0x7f0301a9;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int windowActionBar=0x7f0301aa;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int windowActionBarOverlay=0x7f0301ab;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int windowActionModeOverlay=0x7f0301ac;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int windowFixedHeightMajor=0x7f0301ad;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int windowFixedHeightMinor=0x7f0301ae;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int windowFixedWidthMajor=0x7f0301af;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int windowFixedWidthMinor=0x7f0301b0;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int windowMinWidthMajor=0x7f0301b1;
/**
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*/
public static final int windowMinWidthMinor=0x7f0301b2;
/**
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*/
public static final int windowNoTitle=0x7f0301b3;
}
public static final class bool {
public static final int abc_action_bar_embed_tabs=0x7f040000;
public static final int abc_allow_stacked_button_bar=0x7f040001;
public static final int abc_config_actionMenuItemAllCaps=0x7f040002;
public static final int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f040003;
}
public static final class color {
public static final int abc_background_cache_hint_selector_material_dark=0x7f050000;
public static final int abc_background_cache_hint_selector_material_light=0x7f050001;
public static final int abc_btn_colored_borderless_text_material=0x7f050002;
public static final int abc_btn_colored_text_material=0x7f050003;
public static final int abc_color_highlight_material=0x7f050004;
public static final int abc_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 colorAccent=0x7f05002a;
public static final int colorPrimary=0x7f05002b;
public static final int colorPrimaryDark=0x7f05002c;
public static final int colorYellow=0x7f05002d;
public static final int common_google_signin_btn_text_dark=0x7f05002e;
public static final int common_google_signin_btn_text_dark_default=0x7f05002f;
public static final int common_google_signin_btn_text_dark_disabled=0x7f050030;
public static final int common_google_signin_btn_text_dark_focused=0x7f050031;
public static final int common_google_signin_btn_text_dark_pressed=0x7f050032;
public static final int common_google_signin_btn_text_light=0x7f050033;
public static final int common_google_signin_btn_text_light_default=0x7f050034;
public static final int common_google_signin_btn_text_light_disabled=0x7f050035;
public static final int common_google_signin_btn_text_light_focused=0x7f050036;
public static final int common_google_signin_btn_text_light_pressed=0x7f050037;
public static final int common_google_signin_btn_tint=0x7f050038;
public static final int compatibility_focus_color=0x7f050039;
public static final int compatibility_pressed_color=0x7f05003a;
public static final int design_bottom_navigation_shadow_color=0x7f05003b;
public static final int design_error=0x7f05003c;
public static final int design_fab_shadow_end_color=0x7f05003d;
public static final int design_fab_shadow_mid_color=0x7f05003e;
public static final int design_fab_shadow_start_color=0x7f05003f;
public static final int design_fab_stroke_end_inner_color=0x7f050040;
public static final int design_fab_stroke_end_outer_color=0x7f050041;
public static final int design_fab_stroke_top_inner_color=0x7f050042;
public static final int design_fab_stroke_top_outer_color=0x7f050043;
public static final int design_snackbar_background_color=0x7f050044;
public static final int design_tint_password_toggle=0x7f050045;
public static final int dim_foreground_disabled_material_dark=0x7f050046;
public static final int dim_foreground_disabled_material_light=0x7f050047;
public static final int dim_foreground_material_dark=0x7f050048;
public static final int dim_foreground_material_light=0x7f050049;
public static final int empty_directory_hint=0x7f05004a;
public static final int error_color_material=0x7f05004b;
public static final int foreground_material_dark=0x7f05004c;
public static final int foreground_material_light=0x7f05004d;
public static final int highlighted_text_material_dark=0x7f05004e;
public static final int highlighted_text_material_light=0x7f05004f;
public static final int material_blue_grey_800=0x7f050050;
public static final int material_blue_grey_900=0x7f050051;
public static final int material_blue_grey_950=0x7f050052;
public static final int material_deep_teal_200=0x7f050053;
public static final int material_deep_teal_500=0x7f050054;
public static final int material_grey_100=0x7f050055;
public static final int material_grey_300=0x7f050056;
public static final int material_grey_50=0x7f050057;
public static final int material_grey_600=0x7f050058;
public static final int material_grey_800=0x7f050059;
public static final int material_grey_850=0x7f05005a;
public static final int material_grey_900=0x7f05005b;
public static final int notification_action_color_filter=0x7f05005c;
public static final int notification_icon_bg_color=0x7f05005d;
public static final int notification_material_background_media_default_color=0x7f05005e;
public static final int primary_dark_material_dark=0x7f05005f;
public static final int primary_dark_material_light=0x7f050060;
public static final int primary_material_dark=0x7f050061;
public static final int primary_material_light=0x7f050062;
public static final int primary_text_default_material_dark=0x7f050063;
public static final int primary_text_default_material_light=0x7f050064;
public static final int primary_text_disabled_material_dark=0x7f050065;
public static final int primary_text_disabled_material_light=0x7f050066;
public static final int ripple_material_dark=0x7f050067;
public static final int ripple_material_light=0x7f050068;
public static final int secondary_text_default_material_dark=0x7f050069;
public static final int secondary_text_default_material_light=0x7f05006a;
public static final int secondary_text_disabled_material_dark=0x7f05006b;
public static final int secondary_text_disabled_material_light=0x7f05006c;
public static final int switch_thumb_disabled_material_dark=0x7f05006d;
public static final int switch_thumb_disabled_material_light=0x7f05006e;
public static final int switch_thumb_material_dark=0x7f05006f;
public static final int switch_thumb_material_light=0x7f050070;
public static final int switch_thumb_normal_material_dark=0x7f050071;
public static final int switch_thumb_normal_material_light=0x7f050072;
public static final int tooltip_background_dark=0x7f050073;
public static final int tooltip_background_light=0x7f050074;
public static final int transparent=0x7f050075;
}
public static final class dimen {
public static final int abc_action_bar_content_inset_material=0x7f060000;
public static final int abc_action_bar_content_inset_with_nav=0x7f060001;
public static final int abc_action_bar_default_height_material=0x7f060002;
public static final int abc_action_bar_default_padding_end_material=0x7f060003;
public static final int abc_action_bar_default_padding_start_material=0x7f060004;
public static final int abc_action_bar_elevation_material=0x7f060005;
public static final int abc_action_bar_icon_vertical_padding_material=0x7f060006;
public static final int abc_action_bar_overflow_padding_end_material=0x7f060007;
public static final int abc_action_bar_overflow_padding_start_material=0x7f060008;
public static final int abc_action_bar_progress_bar_size=0x7f060009;
public static final int abc_action_bar_stacked_max_height=0x7f06000a;
public static final int abc_action_bar_stacked_tab_max_width=0x7f06000b;
public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f06000c;
public static final int abc_action_bar_subtitle_top_margin_material=0x7f06000d;
public static final int abc_action_button_min_height_material=0x7f06000e;
public static final int abc_action_button_min_width_material=0x7f06000f;
public static final int abc_action_button_min_width_overflow_material=0x7f060010;
public static final int abc_alert_dialog_button_bar_height=0x7f060011;
public static final int abc_alert_dialog_button_dimen=0x7f060012;
public static final int abc_button_inset_horizontal_material=0x7f060013;
public static final int abc_button_inset_vertical_material=0x7f060014;
public static final int abc_button_padding_horizontal_material=0x7f060015;
public static final int abc_button_padding_vertical_material=0x7f060016;
public static final int abc_cascading_menus_min_smallest_width=0x7f060017;
public static final int abc_config_prefDialogWidth=0x7f060018;
public static final int abc_control_corner_material=0x7f060019;
public static final int abc_control_inset_material=0x7f06001a;
public static final int abc_control_padding_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_padding_horizontal_material=0x7f060030;
public static final int abc_panel_menu_list_width=0x7f060031;
public static final int abc_progress_bar_height_material=0x7f060032;
public static final int abc_search_view_preferred_height=0x7f060033;
public static final int abc_search_view_preferred_width=0x7f060034;
public static final int abc_seekbar_track_background_height_material=0x7f060035;
public static final int abc_seekbar_track_progress_height_material=0x7f060036;
public static final int abc_select_dialog_padding_start_material=0x7f060037;
public static final int abc_switch_padding=0x7f060038;
public static final int abc_text_size_body_1_material=0x7f060039;
public static final int abc_text_size_body_2_material=0x7f06003a;
public static final int abc_text_size_button_material=0x7f06003b;
public static final int abc_text_size_caption_material=0x7f06003c;
public static final int abc_text_size_display_1_material=0x7f06003d;
public static final int abc_text_size_display_2_material=0x7f06003e;
public static final int abc_text_size_display_3_material=0x7f06003f;
public static final int abc_text_size_display_4_material=0x7f060040;
public static final int abc_text_size_headline_material=0x7f060041;
public static final int abc_text_size_large_material=0x7f060042;
public static final int abc_text_size_medium_material=0x7f060043;
public static final int abc_text_size_menu_header_material=0x7f060044;
public static final int abc_text_size_menu_material=0x7f060045;
public static final int abc_text_size_small_material=0x7f060046;
public static final int abc_text_size_subhead_material=0x7f060047;
public static final int abc_text_size_subtitle_material_toolbar=0x7f060048;
public static final int abc_text_size_title_material=0x7f060049;
public static final int abc_text_size_title_material_toolbar=0x7f06004a;
public static final int activity_padding_horizontal=0x7f06004b;
public static final int cardview_compat_inset_shadow=0x7f06004c;
public static final int cardview_default_elevation=0x7f06004d;
public static final int cardview_default_radius=0x7f06004e;
public static final int compat_button_inset_horizontal_material=0x7f06004f;
public static final int compat_button_inset_vertical_material=0x7f060050;
public static final int compat_button_padding_horizontal_material=0x7f060051;
public static final int compat_button_padding_vertical_material=0x7f060052;
public static final int compat_control_corner_material=0x7f060053;
public static final int design_appbar_elevation=0x7f060054;
public static final int design_bottom_navigation_active_item_max_width=0x7f060055;
public static final int design_bottom_navigation_active_text_size=0x7f060056;
public static final int design_bottom_navigation_elevation=0x7f060057;
public static final int design_bottom_navigation_height=0x7f060058;
public static final int design_bottom_navigation_item_max_width=0x7f060059;
public static final int design_bottom_navigation_item_min_width=0x7f06005a;
public static final int design_bottom_navigation_margin=0x7f06005b;
public static final int design_bottom_navigation_shadow_height=0x7f06005c;
public static final int design_bottom_navigation_text_size=0x7f06005d;
public static final int design_bottom_sheet_modal_elevation=0x7f06005e;
public static final int design_bottom_sheet_peek_height_min=0x7f06005f;
public static final int design_fab_border_width=0x7f060060;
public static final int design_fab_elevation=0x7f060061;
public static final int design_fab_image_size=0x7f060062;
public static final int design_fab_size_mini=0x7f060063;
public static final int design_fab_size_normal=0x7f060064;
public static final int design_fab_translation_z_pressed=0x7f060065;
public static final int design_navigation_elevation=0x7f060066;
public static final int design_navigation_icon_padding=0x7f060067;
public static final int design_navigation_icon_size=0x7f060068;
public static final int design_navigation_max_width=0x7f060069;
public static final int design_navigation_padding_bottom=0x7f06006a;
public static final int design_navigation_separator_vertical_padding=0x7f06006b;
public static final int design_snackbar_action_inline_max_width=0x7f06006c;
public static final int design_snackbar_background_corner_radius=0x7f06006d;
public static final int design_snackbar_elevation=0x7f06006e;
public static final int design_snackbar_extra_spacing_horizontal=0x7f06006f;
public static final int design_snackbar_max_width=0x7f060070;
public static final int design_snackbar_min_width=0x7f060071;
public static final int design_snackbar_padding_horizontal=0x7f060072;
public static final int design_snackbar_padding_vertical=0x7f060073;
public static final int design_snackbar_padding_vertical_2lines=0x7f060074;
public static final int design_snackbar_text_size=0x7f060075;
public static final int design_tab_max_width=0x7f060076;
public static final int design_tab_scrollable_min_width=0x7f060077;
public static final int design_tab_text_size=0x7f060078;
public static final int design_tab_text_size_2line=0x7f060079;
public static final int disabled_alpha_material_dark=0x7f06007a;
public static final int disabled_alpha_material_light=0x7f06007b;
public static final int fastscroll_default_thickness=0x7f06007c;
public static final int fastscroll_margin=0x7f06007d;
public static final int fastscroll_minimum_range=0x7f06007e;
public static final int highlight_alpha_material_colored=0x7f06007f;
public static final int highlight_alpha_material_dark=0x7f060080;
public static final int highlight_alpha_material_light=0x7f060081;
public static final int hint_alpha_material_dark=0x7f060082;
public static final int hint_alpha_material_light=0x7f060083;
public static final int hint_pressed_alpha_material_dark=0x7f060084;
public static final int hint_pressed_alpha_material_light=0x7f060085;
public static final int item_touch_helper_max_drag_scroll_per_frame=0x7f060086;
public static final int item_touch_helper_swipe_escape_max_velocity=0x7f060087;
public static final int item_touch_helper_swipe_escape_velocity=0x7f060088;
public static final int notification_action_icon_size=0x7f060089;
public static final int notification_action_text_size=0x7f06008a;
public static final int notification_big_circle_margin=0x7f06008b;
public static final int notification_content_margin_start=0x7f06008c;
public static final int notification_large_icon_height=0x7f06008d;
public static final int notification_large_icon_width=0x7f06008e;
public static final int notification_main_column_padding_top=0x7f06008f;
public static final int notification_media_narrow_margin=0x7f060090;
public static final int notification_right_icon_size=0x7f060091;
public static final int notification_right_side_padding_top=0x7f060092;
public static final int notification_small_icon_background_padding=0x7f060093;
public static final int notification_small_icon_size_as_large=0x7f060094;
public static final int notification_subtext_size=0x7f060095;
public static final int notification_top_pad=0x7f060096;
public static final int notification_top_pad_large_text=0x7f060097;
public static final int padd_10=0x7f060098;
public static final int thumbnail=0x7f060099;
public static final int thumbnail_margin_left=0x7f06009a;
public static final int thumbnail_margin_top=0x7f06009b;
public static final int thumbnail_size=0x7f06009c;
public static final int thumbnail_size_bottom=0x7f06009d;
public static final int tooltip_corner_radius=0x7f06009e;
public static final int tooltip_horizontal_padding=0x7f06009f;
public static final int tooltip_margin=0x7f0600a0;
public static final int tooltip_precise_anchor_extra_offset=0x7f0600a1;
public static final int tooltip_precise_anchor_threshold=0x7f0600a2;
public static final int tooltip_vertical_padding=0x7f0600a3;
public static final int tooltip_y_offset_non_touch=0x7f0600a4;
public static final int tooltip_y_offset_touch=0x7f0600a5;
}
public static final class drawable {
public static final int abc_ab_share_pack_mtrl_alpha=0x7f070006;
public static final int abc_action_bar_item_background_material=0x7f070007;
public static final int abc_btn_borderless_material=0x7f070008;
public static final int abc_btn_check_material=0x7f070009;
public static final int abc_btn_check_to_on_mtrl_000=0x7f07000a;
public static final int abc_btn_check_to_on_mtrl_015=0x7f07000b;
public static final int abc_btn_colored_material=0x7f07000c;
public static final int abc_btn_default_mtrl_shape=0x7f07000d;
public static final int abc_btn_radio_material=0x7f07000e;
public static final int abc_btn_radio_to_on_mtrl_000=0x7f07000f;
public static final int abc_btn_radio_to_on_mtrl_015=0x7f070010;
public static final int abc_btn_switch_to_on_mtrl_00001=0x7f070011;
public static final int abc_btn_switch_to_on_mtrl_00012=0x7f070012;
public static final int abc_cab_background_internal_bg=0x7f070013;
public static final int abc_cab_background_top_material=0x7f070014;
public static final int abc_cab_background_top_mtrl_alpha=0x7f070015;
public static final int abc_control_background_material=0x7f070016;
public static final int abc_dialog_material_background=0x7f070017;
public static final int abc_edit_text_material=0x7f070018;
public static final int abc_ic_ab_back_material=0x7f070019;
public static final int abc_ic_arrow_drop_right_black_24dp=0x7f07001a;
public static final int abc_ic_clear_material=0x7f07001b;
public static final int abc_ic_commit_search_api_mtrl_alpha=0x7f07001c;
public static final int abc_ic_go_search_api_material=0x7f07001d;
public static final int abc_ic_menu_copy_mtrl_am_alpha=0x7f07001e;
public static final int abc_ic_menu_cut_mtrl_alpha=0x7f07001f;
public static final int abc_ic_menu_overflow_material=0x7f070020;
public static final int abc_ic_menu_paste_mtrl_am_alpha=0x7f070021;
public static final int abc_ic_menu_selectall_mtrl_alpha=0x7f070022;
public static final int abc_ic_menu_share_mtrl_alpha=0x7f070023;
public static final int abc_ic_search_api_material=0x7f070024;
public static final int abc_ic_star_black_16dp=0x7f070025;
public static final int abc_ic_star_black_36dp=0x7f070026;
public static final int abc_ic_star_black_48dp=0x7f070027;
public static final int abc_ic_star_half_black_16dp=0x7f070028;
public static final int abc_ic_star_half_black_36dp=0x7f070029;
public static final int abc_ic_star_half_black_48dp=0x7f07002a;
public static final int abc_ic_voice_search_api_material=0x7f07002b;
public static final int abc_item_background_holo_dark=0x7f07002c;
public static final int abc_item_background_holo_light=0x7f07002d;
public static final int abc_list_divider_mtrl_alpha=0x7f07002e;
public static final int abc_list_focused_holo=0x7f07002f;
public static final int abc_list_longpressed_holo=0x7f070030;
public static final int abc_list_pressed_holo_dark=0x7f070031;
public static final int abc_list_pressed_holo_light=0x7f070032;
public static final int abc_list_selector_background_transition_holo_dark=0x7f070033;
public static final int abc_list_selector_background_transition_holo_light=0x7f070034;
public static final int abc_list_selector_disabled_holo_dark=0x7f070035;
public static final int abc_list_selector_disabled_holo_light=0x7f070036;
public static final int abc_list_selector_holo_dark=0x7f070037;
public static final int abc_list_selector_holo_light=0x7f070038;
public static final int abc_menu_hardkey_panel_mtrl_mult=0x7f070039;
public static final int abc_popup_background_mtrl_mult=0x7f07003a;
public static final int abc_ratingbar_indicator_material=0x7f07003b;
public static final int abc_ratingbar_material=0x7f07003c;
public static final int abc_ratingbar_small_material=0x7f07003d;
public static final int abc_scrubber_control_off_mtrl_alpha=0x7f07003e;
public static final int abc_scrubber_control_to_pressed_mtrl_000=0x7f07003f;
public static final int abc_scrubber_control_to_pressed_mtrl_005=0x7f070040;
public static final int abc_scrubber_primary_mtrl_alpha=0x7f070041;
public static final int abc_scrubber_track_mtrl_alpha=0x7f070042;
public static final int abc_seekbar_thumb_material=0x7f070043;
public static final int abc_seekbar_tick_mark_material=0x7f070044;
public static final int abc_seekbar_track_material=0x7f070045;
public static final int abc_spinner_mtrl_am_alpha=0x7f070046;
public static final int abc_spinner_textfield_background_material=0x7f070047;
public static final int abc_switch_thumb_material=0x7f070048;
public static final int abc_switch_track_mtrl_alpha=0x7f070049;
public static final int abc_tab_indicator_material=0x7f07004a;
public static final int abc_tab_indicator_mtrl_alpha=0x7f07004b;
public static final int abc_text_cursor_material=0x7f07004c;
public static final int abc_text_select_handle_left_mtrl_dark=0x7f07004d;
public static final int abc_text_select_handle_left_mtrl_light=0x7f07004e;
public static final int abc_text_select_handle_middle_mtrl_dark=0x7f07004f;
public static final int abc_text_select_handle_middle_mtrl_light=0x7f070050;
public static final int abc_text_select_handle_right_mtrl_dark=0x7f070051;
public static final int abc_text_select_handle_right_mtrl_light=0x7f070052;
public static final int abc_textfield_activated_mtrl_alpha=0x7f070053;
public static final int abc_textfield_default_mtrl_alpha=0x7f070054;
public static final int abc_textfield_search_activated_mtrl_alpha=0x7f070055;
public static final int abc_textfield_search_default_mtrl_alpha=0x7f070056;
public static final int abc_textfield_search_material=0x7f070057;
public static final int abc_vector_test=0x7f070058;
public static final int avd_hide_password=0x7f070059;
public static final int avd_show_password=0x7f07005a;
public static final int background=0x7f07005b;
public static final int bg_bottom_border=0x7f07005c;
public static final int bg_clickable=0x7f07005d;
public static final int bg_left_border=0x7f07005e;
public static final int button_bg=0x7f07005f;
public static final int common_full_open_on_phone=0x7f070060;
public static final int common_google_signin_btn_icon_dark=0x7f070061;
public static final int common_google_signin_btn_icon_dark_focused=0x7f070062;
public static final int common_google_signin_btn_icon_dark_normal=0x7f070063;
public static final int common_google_signin_btn_icon_dark_normal_background=0x7f070064;
public static final int common_google_signin_btn_icon_disabled=0x7f070065;
public static final int common_google_signin_btn_icon_light=0x7f070066;
public static final int common_google_signin_btn_icon_light_focused=0x7f070067;
public static final int common_google_signin_btn_icon_light_normal=0x7f070068;
public static final int common_google_signin_btn_icon_light_normal_background=0x7f070069;
public static final int common_google_signin_btn_text_dark=0x7f07006a;
public static final int common_google_signin_btn_text_dark_focused=0x7f07006b;
public static final int common_google_signin_btn_text_dark_normal=0x7f07006c;
public static final int common_google_signin_btn_text_dark_normal_background=0x7f07006d;
public static final int common_google_signin_btn_text_disabled=0x7f07006e;
public static final int common_google_signin_btn_text_light=0x7f07006f;
public static final int common_google_signin_btn_text_light_focused=0x7f070070;
public static final int common_google_signin_btn_text_light_normal=0x7f070071;
public static final int common_google_signin_btn_text_light_normal_background=0x7f070072;
public static final int contact_white=0x7f070073;
public static final int contact_white_new=0x7f070074;
public static final int contact_yellow=0x7f070075;
public static final int delete_bin=0x7f070076;
public static final int design_bottom_navigation_item_background=0x7f070077;
public static final int design_fab_background=0x7f070078;
public static final int design_ic_visibility=0x7f070079;
public static final int design_ic_visibility_off=0x7f07007a;
public static final int design_password_eye=0x7f07007b;
public static final int design_snackbar_background=0x7f07007c;
public static final int equity_new=0x7f07007d;
public static final int feeds_white=0x7f07007e;
public static final int feeds_white_new=0x7f07007f;
public static final int feeds_yellow=0x7f070080;
public static final int googleg_disabled_color_18=0x7f070081;
public static final int googleg_standard_color_18=0x7f070082;
public static final int home_white=0x7f070083;
public static final int home_white_new=0x7f070084;
public static final int home_yellow=0x7f070085;
public static final int home_yellow_new=0x7f070086;
public static final int ic_apk_box=0x7f070087;
public static final int ic_certificate_box=0x7f070088;
public static final int ic_close_white_24dp=0x7f070089;
public static final int ic_contact_name=0x7f07008a;
public static final int ic_document_box=0x7f07008b;
public static final int ic_drawing_box=0x7f07008c;
public static final int ic_excel_box=0x7f07008d;
public static final int ic_file_gray_116dp=0x7f07008e;
public static final int ic_folder_48dp=0x7f07008f;
public static final int ic_image_box=0x7f070090;
public static final int ic_money=0x7f070091;
public static final int ic_music_box=0x7f070092;
public static final int ic_pdf_box=0x7f070093;
public static final int ic_powerpoint_box=0x7f070094;
public static final int ic_stat_name=0x7f070095;
public static final int ic_video_box=0x7f070096;
public static final int ic_word_box=0x7f070097;
public static final int ic_zip_box=0x7f070098;
public static final int icons_knowledge=0x7f070099;
public static final int learn_white=0x7f07009a;
public static final int learn_white_new=0x7f07009b;
public static final int learn_yellow=0x7f07009c;
public static final int learn_yellow_new=0x7f07009d;
public static final int logo_trade=0x7f07009e;
public static final int logo_white_dash=0x7f07009f;
public static final int logout_ico_yellow=0x7f0700a0;
public static final int logout_icon=0x7f0700a1;
public static final int navigation_empty_icon=0x7f0700a2;
public static final int notification_action_background=0x7f0700a3;
public static final int notification_bg=0x7f0700a4;
public static final int notification_bg_low=0x7f0700a5;
public static final int notification_bg_low_normal=0x7f0700a6;
public static final int notification_bg_low_pressed=0x7f0700a7;
public static final int notification_bg_normal=0x7f0700a8;
public static final int notification_bg_normal_pressed=0x7f0700a9;
public static final int notification_icon_background=0x7f0700aa;
public static final int notification_template_icon_bg=0x7f0700ab;
public static final int notification_template_icon_low_bg=0x7f0700ac;
public static final int notification_tile_bg=0x7f0700ad;
public static final int notification_white=0x7f0700ae;
public static final int notification_white_new=0x7f0700af;
public static final int notification_yellow=0x7f0700b0;
public static final int notify_panel_notification_icon_bg=0x7f0700b1;
public static final int restricted=0x7f0700b2;
public static final int tips=0x7f0700b3;
public static final int tooltip_frame_dark=0x7f0700b4;
public static final int tooltip_frame_light=0x7f0700b5;
public static final int upstox=0x7f0700b6;
public static final int widget_stock_market=0x7f0700b7;
public static final int widget_symbol_overview=0x7f0700b8;
public static final int widget_technical_analysis=0x7f0700b9;
public static final int widget_ticker=0x7f0700ba;
}
public static final class id {
public static final int ALT=0x7f080000;
public static final int CTRL=0x7f080001;
public static final int FUNCTION=0x7f080002;
public static final int META=0x7f080003;
public static final int SHIFT=0x7f080004;
public static final int SYM=0x7f080005;
public static final int action0=0x7f080006;
public static final int action_bar=0x7f080007;
public static final int action_bar_activity_content=0x7f080008;
public static final int action_bar_container=0x7f080009;
public static final int action_bar_root=0x7f08000a;
public static final int action_bar_spinner=0x7f08000b;
public static final int action_bar_subtitle=0x7f08000c;
public static final int action_bar_title=0x7f08000d;
public static final int action_close=0x7f08000e;
public static final int action_container=0x7f08000f;
public static final int action_context_bar=0x7f080010;
public static final int action_divider=0x7f080011;
public static final int action_image=0x7f080012;
public static final int action_menu_divider=0x7f080013;
public static final int action_menu_presenter=0x7f080014;
public static final int action_mode_bar=0x7f080015;
public static final int action_mode_bar_stub=0x7f080016;
public static final int action_mode_close_button=0x7f080017;
public static final int action_text=0x7f080018;
public static final int actions=0x7f080019;
public static final int activity_chooser_view_content=0x7f08001a;
public static final int add=0x7f08001b;
public static final int addPortfolioButton=0x7f08001c;
public static final int adjust_height=0x7f08001d;
public static final int adjust_width=0x7f08001e;
public static final int alertTitle=0x7f08001f;
public static final int all=0x7f080020;
public static final int always=0x7f080021;
public static final int async=0x7f080022;
public static final int auto=0x7f080023;
public static final int barrier=0x7f080024;
public static final int beginning=0x7f080025;
public static final int blocking=0x7f080026;
public static final int bottom=0x7f080027;
public static final int bottom_view=0x7f080028;
public static final int buttonPanel=0x7f080029;
public static final int c1r2=0x7f08002a;
public static final int c1r3=0x7f08002b;
public static final int c1r4=0x7f08002c;
public static final int c2r2=0x7f08002d;
public static final int c2r3=0x7f08002e;
public static final int c3r2=0x7f08002f;
public static final int cancel_action=0x7f080030;
public static final int card_view=0x7f080031;
public static final int card_view1=0x7f080032;
public static final int card_view2=0x7f080033;
public static final int card_view3=0x7f080034;
public static final int card_view4=0x7f080035;
public static final int card_view_ed=0x7f080036;
public static final int card_view_pdf=0x7f080037;
public static final int center=0x7f080038;
public static final int center_horizontal=0x7f080039;
public static final int center_vertical=0x7f08003a;
public static final int chains=0x7f08003b;
public static final int change1_market=0x7f08003c;
public static final int chart_webview=0x7f08003d;
public static final int checkbox=0x7f08003e;
public static final int chronometer=0x7f08003f;
public static final int clip_horizontal=0x7f080040;
public static final int clip_vertical=0x7f080041;
public static final int collapseActionView=0x7f080042;
public static final int contact=0x7f080043;
public static final int contact1=0x7f080044;
public static final int contact11=0x7f080045;
public static final int contact_c=0x7f080046;
public static final int contact_learn=0x7f080047;
public static final int container=0x7f080048;
public static final int contentPanel=0x7f080049;
public static final int coordinator=0x7f08004a;
public static final int custom=0x7f08004b;
public static final int customPanel=0x7f08004c;
public static final int dark=0x7f08004d;
public static final int decor_content_parent=0x7f08004e;
public static final int default_activity_button=0x7f08004f;
public static final int description1=0x7f080050;
public static final int description11=0x7f080051;
public static final int description112=0x7f080052;
public static final int description113=0x7f080053;
public static final int description2=0x7f080054;
public static final int description22=0x7f080055;
public static final int description23=0x7f080056;
public static final int design_bottom_sheet=0x7f080057;
public static final int design_menu_item_action_area=0x7f080058;
public static final int design_menu_item_action_area_stub=0x7f080059;
public static final int design_menu_item_text=0x7f08005a;
public static final int design_navigation_view=0x7f08005b;
public static final int dimensions=0x7f08005c;
public static final int direct=0x7f08005d;
public static final int directory_empty_view=0x7f08005e;
public static final int directory_recycler_view=0x7f08005f;
public static final int disableHome=0x7f080060;
public static final int edit_query=0x7f080061;
public static final int email=0x7f080062;
public static final int email_register_button=0x7f080063;
public static final int email_sign_in_button=0x7f080064;
public static final int end=0x7f080065;
public static final int end_padder=0x7f080066;
public static final int enterAlways=0x7f080067;
public static final int enterAlwaysCollapsed=0x7f080068;
public static final int equity_derivative=0x7f080069;
public static final int exitUntilCollapsed=0x7f08006a;
public static final int expand_activities_button=0x7f08006b;
public static final int expanded_menu=0x7f08006c;
public static final int feed_learn=0x7f08006d;
public static final int feed_webview=0x7f08006e;
public static final int feed_webview_rss=0x7f08006f;
public static final int feed_webview_twitter=0x7f080070;
public static final int feeds=0x7f080071;
public static final int feeds_c=0x7f080072;
public static final int fill=0x7f080073;
public static final int fill_horizontal=0x7f080074;
public static final int fill_vertical=0x7f080075;
public static final int fixed=0x7f080076;
public static final int forever=0x7f080077;
public static final int ghost_view=0x7f080078;
public static final int gone=0x7f080079;
public static final int groups=0x7f08007a;
public static final int hist_label=0x7f08007b;
public static final int historicData=0x7f08007c;
public static final int home=0x7f08007d;
public static final int homeAsUp=0x7f08007e;
public static final int home_c=0x7f08007f;
public static final int home_learn=0x7f080080;
public static final int icon=0x7f080081;
public static final int icon_group=0x7f080082;
public static final int icon_only=0x7f080083;
public static final int id_appbar=0x7f080084;
public static final int ifRoom=0x7f080085;
public static final int image=0x7f080086;
public static final int info=0x7f080087;
public static final int invisible=0x7f080088;
public static final int italic=0x7f080089;
public static final int item_file_image=0x7f08008a;
public static final int item_file_subtitle=0x7f08008b;
public static final int item_file_title=0x7f08008c;
public static final int item_touch_helper_previous_elevation=0x7f08008d;
public static final int l=0x7f08008e;
public static final int l1=0x7f08008f;
public static final int l11_ed=0x7f080090;
public static final int l1_ed=0x7f080091;
public static final int l_ed=0x7f080092;
public static final int l_tips=0x7f080093;
public static final int largeLabel=0x7f080094;
public static final int learn=0x7f080095;
public static final int learn_c=0x7f080096;
public static final int left=0x7f080097;
public static final int light=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 ll=0x7f08009d;
public static final int ll1=0x7f08009e;
public static final int login_form=0x7f08009f;
public static final int login_progress=0x7f0800a0;
public static final int logout=0x7f0800a1;
public static final int logout_c=0x7f0800a2;
public static final int logout_learn=0x7f0800a3;
public static final int ltp=0x7f0800a4;
public static final int ltp1_market=0x7f0800a5;
public static final int ltp_market=0x7f0800a6;
public static final int masked=0x7f0800a7;
public static final int media_actions=0x7f0800a8;
public static final int message=0x7f0800a9;
public static final int middle=0x7f0800aa;
public static final int mini=0x7f0800ab;
public static final int multiply=0x7f0800ac;
public static final int name1=0x7f0800ad;
public static final int name11=0x7f0800ae;
public static final int name112=0x7f0800af;
public static final int name113=0x7f0800b0;
public static final int navigation_header_container=0x7f0800b1;
public static final int never=0x7f0800b2;
public static final int nifty=0x7f0800b3;
public static final int none=0x7f0800b4;
public static final int normal=0x7f0800b5;
public static final int notification=0x7f0800b6;
public static final int notification_background=0x7f0800b7;
public static final int notification_c=0x7f0800b8;
public static final int notification_learn=0x7f0800b9;
public static final int notification_main_column=0x7f0800ba;
public static final int notification_main_column_container=0x7f0800bb;
public static final int nty=0x7f0800bc;
public static final int openAccount=0x7f0800bd;
public static final int packed=0x7f0800be;
public static final int parallax=0x7f0800bf;
public static final int parent=0x7f0800c0;
public static final int parentPanel=0x7f0800c1;
public static final int parent_matrix=0x7f0800c2;
public static final int password=0x7f0800c3;
public static final int percent=0x7f0800c4;
public static final int phone=0x7f0800c5;
public static final int pin=0x7f0800c6;
public static final int portfolioWatch=0x7f0800c7;
public static final int pp=0x7f0800c8;
public static final int progress_circular=0x7f0800c9;
public static final int progress_horizontal=0x7f0800ca;
public static final int qty=0x7f0800cb;
public static final int radio=0x7f0800cc;
public static final int recycler=0x7f0800cd;
public static final int recycler_ed=0x7f0800ce;
public static final int recycler_notification=0x7f0800cf;
public static final int recycler_pdf=0x7f0800d0;
public static final int recycler_tips=0x7f0800d1;
public static final int research_reports=0x7f0800d2;
public static final int right=0x7f0800d3;
public static final int right_icon=0x7f0800d4;
public static final int right_side=0x7f0800d5;
public static final int save_image_matrix=0x7f0800d6;
public static final int save_non_transition_alpha=0x7f0800d7;
public static final int save_scale_type=0x7f0800d8;
public static final int screen=0x7f0800d9;
public static final int scrip=0x7f0800da;
public static final int scrip1=0x7f0800db;
public static final int scrip1_market=0x7f0800dc;
public static final int scrip_market=0x7f0800dd;
public static final int scroll=0x7f0800de;
public static final int scrollIndicatorDown=0x7f0800df;
public static final int scrollIndicatorUp=0x7f0800e0;
public static final int scrollView=0x7f0800e1;
public static final int scrollable=0x7f0800e2;
public static final int search_badge=0x7f0800e3;
public static final int search_bar=0x7f0800e4;
public static final int search_button=0x7f0800e5;
public static final int search_close_btn=0x7f0800e6;
public static final int search_edit_frame=0x7f0800e7;
public static final int search_go_btn=0x7f0800e8;
public static final int search_mag_icon=0x7f0800e9;
public static final int search_plate=0x7f0800ea;
public static final int search_src_text=0x7f0800eb;
public static final int search_voice_btn=0x7f0800ec;
public static final int select_dialog_listview=0x7f0800ed;
public static final int sensex=0x7f0800ee;
public static final int shortcut=0x7f0800ef;
public static final int showCustom=0x7f0800f0;
public static final int showHome=0x7f0800f1;
public static final int showTitle=0x7f0800f2;
public static final int showbtn=0x7f0800f3;
public static final int smallLabel=0x7f0800f4;
public static final int sn_tips=0x7f0800f5;
public static final int snackbar_action=0x7f0800f6;
public static final int snackbar_text=0x7f0800f7;
public static final int snap=0x7f0800f8;
public static final int spacer=0x7f0800f9;
public static final int split_action_bar=0x7f0800fa;
public static final int spread=0x7f0800fb;
public static final int spread_inside=0x7f0800fc;
public static final int src_atop=0x7f0800fd;
public static final int src_in=0x7f0800fe;
public static final int src_over=0x7f0800ff;
public static final int standard=0x7f080100;
public static final int start=0x7f080101;
public static final int status_bar_latest_event_content=0x7f080102;
public static final int stop_loss=0x7f080103;
public static final int submenuarrow=0x7f080104;
public static final int submit_area=0x7f080105;
public static final int tabMode=0x7f080106;
public static final int tabs=0x7f080107;
public static final int tabs_ed=0x7f080108;
public static final int tabs_feed=0x7f080109;
public static final int tag_transition_group=0x7f08010a;
public static final int text=0x7f08010b;
public static final int text2=0x7f08010c;
public static final int textSpacerNoButtons=0x7f08010d;
public static final int textSpacerNoTitle=0x7f08010e;
public static final int textView=0x7f08010f;
public static final int textView1=0x7f080110;
public static final int textView1_b=0x7f080111;
public static final int textView1_data=0x7f080112;
public static final int textView2=0x7f080113;
public static final int textView2_b=0x7f080114;
public static final int textView2_data=0x7f080115;
public static final int textView3=0x7f080116;
public static final int textView4=0x7f080117;
public static final int textView_b=0x7f080118;
public static final int textView_data=0x7f080119;
public static final int text_input_password_toggle=0x7f08011a;
public static final int textinput_counter=0x7f08011b;
public static final int textinput_error=0x7f08011c;
public static final int thumbnail1=0x7f08011d;
public static final int thumbnail11=0x7f08011e;
public static final int thumbnail112=0x7f08011f;
public static final int thumbnail113=0x7f080120;
public static final int thumbnail_img=0x7f080121;
public static final int time=0x7f080122;
public static final int tips=0x7f080123;
public static final int title=0x7f080124;
public static final int titleDividerNoCustom=0x7f080125;
public static final int title_template=0x7f080126;
public static final int toolbar=0x7f080127;
public static final int toolbar_ed=0x7f080128;
public static final int toolbar_historicalData=0x7f080129;
public static final int top=0x7f08012a;
public static final int topPanel=0x7f08012b;
public static final int touch_outside=0x7f08012c;
public static final int transition_current_scene=0x7f08012d;
public static final int transition_layout_save=0x7f08012e;
public static final int transition_position=0x7f08012f;
public static final int transition_scene_layoutid_cache=0x7f080130;
public static final int transition_transform=0x7f080131;
public static final int tv=0x7f080132;
public static final int tv1=0x7f080133;
public static final int uname=0x7f080134;
public static final int uniform=0x7f080135;
public static final int up=0x7f080136;
public static final int useLogo=0x7f080137;
public static final int username=0x7f080138;
public static final int value=0x7f080139;
public static final int value_market=0x7f08013a;
public static final int view_foreground=0x7f08013b;
public static final int view_foreground_ed=0x7f08013c;
public static final int view_offset_helper=0x7f08013d;
public static final int viewpager=0x7f08013e;
public static final int viewpager_ed=0x7f08013f;
public static final int viewpager_feed=0x7f080140;
public static final int visible=0x7f080141;
public static final int watchlist=0x7f080142;
public static final int webview=0x7f080143;
public static final int wide=0x7f080144;
public static final int widgets=0x7f080145;
public static final int widgets_webview=0x7f080146;
public static final int withText=0x7f080147;
public static final int wrap=0x7f080148;
public static final int wrap_content=0x7f080149;
public static final int youtube_view=0x7f08014a;
public static final int youtuberecycler=0x7f08014b;
}
public static final class integer {
public static final int abc_config_activityDefaultDur=0x7f090000;
public static final int abc_config_activityShortDur=0x7f090001;
public static final int app_bar_elevation_anim_duration=0x7f090002;
public static final int bottom_sheet_slide_duration=0x7f090003;
public static final int cancel_button_image_alpha=0x7f090004;
public static final int config_tooltipAnimTime=0x7f090005;
public static final int design_snackbar_text_max_lines=0x7f090006;
public static final int google_play_services_version=0x7f090007;
public static final int hide_password_duration=0x7f090008;
public static final int show_password_duration=0x7f090009;
public static final int status_bar_notification_info_maxnum=0x7f09000a;
}
public static final class layout {
public static final int abc_action_bar_title_item=0x7f0a0000;
public static final int abc_action_bar_up_container=0x7f0a0001;
public static final int abc_action_menu_item_layout=0x7f0a0002;
public static final int abc_action_menu_layout=0x7f0a0003;
public static final int abc_action_mode_bar=0x7f0a0004;
public static final int abc_action_mode_close_item_material=0x7f0a0005;
public static final int abc_activity_chooser_view=0x7f0a0006;
public static final int abc_activity_chooser_view_list_item=0x7f0a0007;
public static final int abc_alert_dialog_button_bar_material=0x7f0a0008;
public static final int abc_alert_dialog_material=0x7f0a0009;
public static final int abc_alert_dialog_title_material=0x7f0a000a;
public static final int abc_dialog_title_material=0x7f0a000b;
public static final int abc_expanded_menu_layout=0x7f0a000c;
public static final int abc_list_menu_item_checkbox=0x7f0a000d;
public static final int abc_list_menu_item_icon=0x7f0a000e;
public static final int abc_list_menu_item_layout=0x7f0a000f;
public static final int abc_list_menu_item_radio=0x7f0a0010;
public static final int abc_popup_menu_header_item_layout=0x7f0a0011;
public static final int abc_popup_menu_item_layout=0x7f0a0012;
public static final int abc_screen_content_include=0x7f0a0013;
public static final int abc_screen_simple=0x7f0a0014;
public static final int abc_screen_simple_overlay_action_mode=0x7f0a0015;
public static final int abc_screen_toolbar=0x7f0a0016;
public static final int abc_search_dropdown_item_icons_2line=0x7f0a0017;
public static final int abc_search_view=0x7f0a0018;
public static final int abc_select_dialog_material=0x7f0a0019;
public static final int abc_tooltip=0x7f0a001a;
public static final int activity_add_symbol=0x7f0a001b;
public static final int activity_add_symbol_webview=0x7f0a001c;
public static final int activity_contact=0x7f0a001d;
public static final int activity_contact_medium=0x7f0a001e;
public static final int activity_contact_small=0x7f0a001f;
public static final int activity_equity_derivative=0x7f0a0020;
public static final int activity_file_picker=0x7f0a0021;
public static final int activity_historical_data=0x7f0a0022;
public static final int activity_knowledge=0x7f0a0023;
public static final int activity_launcher=0x7f0a0024;
public static final int activity_learn=0x7f0a0025;
public static final int activity_learn_medium=0x7f0a0026;
public static final int activity_learn_small=0x7f0a0027;
public static final int activity_login=0x7f0a0028;
public static final int activity_main=0x7f0a0029;
public static final int activity_main_large=0x7f0a002a;
public static final int activity_main_medium=0x7f0a002b;
public static final int activity_main_small=0x7f0a002c;
public static final int activity_menu_extra=0x7f0a002d;
public static final int activity_notification=0x7f0a002e;
public static final int activity_notification_medium=0x7f0a002f;
public static final int activity_notification_small=0x7f0a0030;
public static final int activity_open_account=0x7f0a0031;
public static final int activity_portfolio_watch=0x7f0a0032;
public static final int activity_register=0x7f0a0033;
public static final int activity_rss=0x7f0a0034;
public static final int activity_rss_feeds=0x7f0a0035;
public static final int activity_rss_feeds_small=0x7f0a0036;
public static final int activity_rss_medium=0x7f0a0037;
public static final int activity_rss_small=0x7f0a0038;
public static final int activity_tips=0x7f0a0039;
public static final int activity_watchlist=0x7f0a003a;
public static final int activity_widgets=0x7f0a003b;
public static final int activity_widgets_webview=0x7f0a003c;
public static final int design_bottom_navigation_item=0x7f0a003d;
public static final int design_bottom_sheet_dialog=0x7f0a003e;
public static final int design_layout_snackbar=0x7f0a003f;
public static final int design_layout_snackbar_include=0x7f0a0040;
public static final int design_layout_tab_icon=0x7f0a0041;
public static final int design_layout_tab_text=0x7f0a0042;
public static final int design_menu_item_action_area=0x7f0a0043;
public static final int design_navigation_item=0x7f0a0044;
public static final int design_navigation_item_header=0x7f0a0045;
public static final int design_navigation_item_separator=0x7f0a0046;
public static final int design_navigation_item_subheader=0x7f0a0047;
public static final int design_navigation_menu=0x7f0a0048;
public static final int design_navigation_menu_item=0x7f0a0049;
public static final int design_text_input_password_icon=0x7f0a004a;
public static final int footer_layout=0x7f0a004b;
public static final int fragment_directory=0x7f0a004c;
public static final int fragment_feeds_rss=0x7f0a004d;
public static final int fragment_feeds_twitter=0x7f0a004e;
public static final int fragment_fragment_lt=0x7f0a004f;
public static final int fragment_fragment_permission_denied=0x7f0a0050;
public static final int fragment_one=0x7f0a0051;
public static final int fragment_two=0x7f0a0052;
public static final int item_file=0x7f0a0053;
public static final int item_youtuberecycler=0x7f0a0054;
public static final int notification_action=0x7f0a0055;
public static final int notification_action_tombstone=0x7f0a0056;
public static final int notification_media_action=0x7f0a0057;
public static final int notification_media_cancel_action=0x7f0a0058;
public static final int notification_template_big_media=0x7f0a0059;
public static final int notification_template_big_media_custom=0x7f0a005a;
public static final int notification_template_big_media_narrow=0x7f0a005b;
public static final int notification_template_big_media_narrow_custom=0x7f0a005c;
public static final int notification_template_custom_big=0x7f0a005d;
public static final int notification_template_icon_group=0x7f0a005e;
public static final int notification_template_lines_media=0x7f0a005f;
public static final int notification_template_media=0x7f0a0060;
public static final int notification_template_media_custom=0x7f0a0061;
public static final int notification_template_part_chronometer=0x7f0a0062;
public static final int notification_template_part_time=0x7f0a0063;
public static final int recycler_view=0x7f0a0064;
public static final int recycler_view_ed=0x7f0a0065;
public static final int recycler_view_market_watch=0x7f0a0066;
public static final int recycler_view_pdf=0x7f0a0067;
public static final int recycler_view_tips=0x7f0a0068;
public static final int select_dialog_item_material=0x7f0a0069;
public static final int select_dialog_multichoice_material=0x7f0a006a;
public static final int select_dialog_singlechoice_material=0x7f0a006b;
public static final int support_simple_spinner_dropdown_item=0x7f0a006c;
}
public static final class menu {
public static final int menu=0x7f0b0000;
}
public static final class mipmap {
public static final int charts=0x7f0c0000;
public static final int equity_new=0x7f0c0001;
public static final int free_tips=0x7f0c0002;
public static final int historical_data=0x7f0c0003;
public static final int open_account=0x7f0c0004;
public static final int research_report=0x7f0c0005;
public static final int watch_list=0x7f0c0006;
public static final int widgets=0x7f0c0007;
}
public static final class string {
public static final int abc_action_bar_home_description=0x7f0d0000;
public static final int abc_action_bar_up_description=0x7f0d0001;
public static final int abc_action_menu_overflow_description=0x7f0d0002;
public static final int abc_action_mode_done=0x7f0d0003;
public static final int abc_activity_chooser_view_see_all=0x7f0d0004;
public static final int abc_activitychooserview_choose_application=0x7f0d0005;
public static final int abc_capital_off=0x7f0d0006;
public static final int abc_capital_on=0x7f0d0007;
public static final int abc_font_family_body_1_material=0x7f0d0008;
public static final int abc_font_family_body_2_material=0x7f0d0009;
public static final int abc_font_family_button_material=0x7f0d000a;
public static final int abc_font_family_caption_material=0x7f0d000b;
public static final int abc_font_family_display_1_material=0x7f0d000c;
public static final int abc_font_family_display_2_material=0x7f0d000d;
public static final int abc_font_family_display_3_material=0x7f0d000e;
public static final int abc_font_family_display_4_material=0x7f0d000f;
public static final int abc_font_family_headline_material=0x7f0d0010;
public static final int abc_font_family_menu_material=0x7f0d0011;
public static final int abc_font_family_subhead_material=0x7f0d0012;
public static final int abc_font_family_title_material=0x7f0d0013;
public static final int abc_search_hint=0x7f0d0014;
public static final int abc_searchview_description_clear=0x7f0d0015;
public static final int abc_searchview_description_query=0x7f0d0016;
public static final int abc_searchview_description_search=0x7f0d0017;
public static final int abc_searchview_description_submit=0x7f0d0018;
public static final int abc_searchview_description_voice=0x7f0d0019;
public static final int abc_shareactionprovider_share_with=0x7f0d001a;
public static final int abc_shareactionprovider_share_with_application=0x7f0d001b;
public static final int abc_toolbar_collapse_description=0x7f0d001c;
public static final int action_close=0x7f0d001d;
public static final int app_name=0x7f0d001e;
public static final int appbar_scrolling_view_behavior=0x7f0d001f;
public static final int bottom_sheet_behavior=0x7f0d0020;
public static final int character_counter_pattern=0x7f0d0021;
public static final int common_google_play_services_enable_button=0x7f0d0022;
public static final int common_google_play_services_enable_text=0x7f0d0023;
public static final int common_google_play_services_enable_title=0x7f0d0024;
public static final int common_google_play_services_install_button=0x7f0d0025;
public static final int common_google_play_services_install_text=0x7f0d0026;
public static final int common_google_play_services_install_title=0x7f0d0027;
public static final int common_google_play_services_notification_channel_name=0x7f0d0028;
public static final int common_google_play_services_notification_ticker=0x7f0d0029;
public static final int common_google_play_services_unknown_issue=0x7f0d002a;
public static final int common_google_play_services_unsupported_text=0x7f0d002b;
public static final int common_google_play_services_update_button=0x7f0d002c;
public static final int common_google_play_services_update_text=0x7f0d002d;
public static final int common_google_play_services_update_title=0x7f0d002e;
public static final int common_google_play_services_updating_text=0x7f0d002f;
public static final int common_google_play_services_wear_update_text=0x7f0d0030;
public static final int common_open_on_phone=0x7f0d0031;
public static final int common_signin_button_text=0x7f0d0032;
public static final int common_signin_button_text_long=0x7f0d0033;
public static final int default_web_client_id=0x7f0d0034;
public static final int empty_directory_hint=0x7f0d0035;
public static final int error_field_required=0x7f0d0036;
public static final int error_incorrect_password=0x7f0d0037;
public static final int error_invalid_email=0x7f0d0038;
public static final int error_invalid_password=0x7f0d0039;
public static final int fcm_fallback_notification_channel_label=0x7f0d003a;
public static final int file_picker_app_name=0x7f0d003b;
public static final int firebase_database_url=0x7f0d003c;
public static final int gcm_defaultSenderId=0x7f0d003d;
public static final int google_api_key=0x7f0d003e;
public static final int google_app_id=0x7f0d003f;
public static final int google_crash_reporting_api_key=0x7f0d0040;
public static final int google_storage_bucket=0x7f0d0041;
public static final int password_toggle_content_description=0x7f0d0042;
public static final int path_password_eye=0x7f0d0043;
public static final int path_password_eye_mask_strike_through=0x7f0d0044;
public static final int path_password_eye_mask_visible=0x7f0d0045;
public static final int path_password_strike_through=0x7f0d0046;
public static final int permission_rationale=0x7f0d0047;
public static final int player_error=0x7f0d0048;
public static final int project_id=0x7f0d0049;
public static final int search_menu_title=0x7f0d004a;
public static final int status_bar_notification_info_overflow=0x7f0d004b;
public static final int text=0x7f0d004c;
public static final int title_activity_register=0x7f0d004d;
public static final int type_apk=0x7f0d004e;
public static final int type_archive=0x7f0d004f;
public static final int type_certificate=0x7f0d0050;
public static final int type_directory=0x7f0d0051;
public static final int type_document=0x7f0d0052;
public static final int type_drawing=0x7f0d0053;
public static final int type_excel=0x7f0d0054;
public static final int type_image=0x7f0d0055;
public static final int type_music=0x7f0d0056;
public static final int type_pdf=0x7f0d0057;
public static final int type_power_point=0x7f0d0058;
public static final int type_video=0x7f0d0059;
public static final int type_word=0x7f0d005a;
}
public static final class style {
public static final int AlertDialog_AppCompat=0x7f0e0000;
public static final int AlertDialog_AppCompat_Light=0x7f0e0001;
public static final int Animation_AppCompat_Dialog=0x7f0e0002;
public static final int Animation_AppCompat_DropDownUp=0x7f0e0003;
public static final int Animation_AppCompat_Tooltip=0x7f0e0004;
public static final int Animation_Design_BottomSheetDialog=0x7f0e0005;
public static final int Base_AlertDialog_AppCompat=0x7f0e0006;
public static final int Base_AlertDialog_AppCompat_Light=0x7f0e0007;
public static final int Base_Animation_AppCompat_Dialog=0x7f0e0008;
public static final int Base_Animation_AppCompat_DropDownUp=0x7f0e0009;
public static final int Base_Animation_AppCompat_Tooltip=0x7f0e000a;
public static final int Base_CardView=0x7f0e000b;
public static final int Base_DialogWindowTitle_AppCompat=0x7f0e000c;
public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f0e000d;
public static final int Base_TextAppearance_AppCompat=0x7f0e000e;
public static final int Base_TextAppearance_AppCompat_Body1=0x7f0e000f;
public static final int Base_TextAppearance_AppCompat_Body2=0x7f0e0010;
public static final int Base_TextAppearance_AppCompat_Button=0x7f0e0011;
public static final int Base_TextAppearance_AppCompat_Caption=0x7f0e0012;
public static final int Base_TextAppearance_AppCompat_Display1=0x7f0e0013;
public static final int Base_TextAppearance_AppCompat_Display2=0x7f0e0014;
public static final int Base_TextAppearance_AppCompat_Display3=0x7f0e0015;
public static final int Base_TextAppearance_AppCompat_Display4=0x7f0e0016;
public static final int Base_TextAppearance_AppCompat_Headline=0x7f0e0017;
public static final int Base_TextAppearance_AppCompat_Inverse=0x7f0e0018;
public static final int Base_TextAppearance_AppCompat_Large=0x7f0e0019;
public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f0e001a;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0e001b;
public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0e001c;
public static final int Base_TextAppearance_AppCompat_Medium=0x7f0e001d;
public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f0e001e;
public static final int Base_TextAppearance_AppCompat_Menu=0x7f0e001f;
public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f0e0020;
public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0e0021;
public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f0e0022;
public static final int Base_TextAppearance_AppCompat_Small=0x7f0e0023;
public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f0e0024;
public static final int Base_TextAppearance_AppCompat_Subhead=0x7f0e0025;
public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f0e0026;
public static final int Base_TextAppearance_AppCompat_Title=0x7f0e0027;
public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f0e0028;
public static final int Base_TextAppearance_AppCompat_Tooltip=0x7f0e0029;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0e002a;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0e002b;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0e002c;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0e002d;
public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0e002e;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0e002f;
public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0e0030;
public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f0e0031;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0e0032;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Colored=0x7f0e0033;
public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0e0034;
public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f0e0035;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0e0036;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0e0037;
public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0e0038;
public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f0e0039;
public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0e003a;
public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0e003b;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0e003c;
public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0e003d;
public static final int Base_Theme_AppCompat=0x7f0e003e;
public static final int Base_Theme_AppCompat_CompactMenu=0x7f0e003f;
public static final int Base_Theme_AppCompat_Dialog=0x7f0e0040;
public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f0e0041;
public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f0e0042;
public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f0e0043;
public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f0e0044;
public static final int Base_Theme_AppCompat_Light=0x7f0e0045;
public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f0e0046;
public static final int Base_Theme_AppCompat_Light_Dialog=0x7f0e0047;
public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f0e0048;
public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f0e0049;
public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f0e004a;
public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f0e004b;
public static final int Base_ThemeOverlay_AppCompat=0x7f0e004c;
public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f0e004d;
public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f0e004e;
public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0e004f;
public static final int Base_ThemeOverlay_AppCompat_Dialog=0x7f0e0050;
public static final int Base_ThemeOverlay_AppCompat_Dialog_Alert=0x7f0e0051;
public static final int Base_ThemeOverlay_AppCompat_Light=0x7f0e0052;
public static final int Base_V14_Widget_Design_AppBarLayout=0x7f0e0053;
public static final int Base_V21_Theme_AppCompat=0x7f0e0054;
public static final int Base_V21_Theme_AppCompat_Dialog=0x7f0e0055;
public static final int Base_V21_Theme_AppCompat_Light=0x7f0e0056;
public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f0e0057;
public static final int Base_V21_ThemeOverlay_AppCompat_Dialog=0x7f0e0058;
public static final int Base_V21_Widget_Design_AppBarLayout=0x7f0e0059;
public static final int Base_V22_Theme_AppCompat=0x7f0e005a;
public static final int Base_V22_Theme_AppCompat_Light=0x7f0e005b;
public static final int Base_V23_Theme_AppCompat=0x7f0e005c;
public static final int Base_V23_Theme_AppCompat_Light=0x7f0e005d;
public static final int Base_V26_Theme_AppCompat=0x7f0e005e;
public static final int Base_V26_Theme_AppCompat_Light=0x7f0e005f;
public static final int Base_V26_Widget_AppCompat_Toolbar=0x7f0e0060;
public static final int Base_V26_Widget_Design_AppBarLayout=0x7f0e0061;
public static final int Base_V7_Theme_AppCompat=0x7f0e0062;
public static final int Base_V7_Theme_AppCompat_Dialog=0x7f0e0063;
public static final int Base_V7_Theme_AppCompat_Light=0x7f0e0064;
public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f0e0065;
public static final int Base_V7_ThemeOverlay_AppCompat_Dialog=0x7f0e0066;
public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f0e0067;
public static final int Base_V7_Widget_AppCompat_EditText=0x7f0e0068;
public static final int Base_V7_Widget_AppCompat_Toolbar=0x7f0e0069;
public static final int Base_Widget_AppCompat_ActionBar=0x7f0e006a;
public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f0e006b;
public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0e006c;
public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f0e006d;
public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f0e006e;
public static final int Base_Widget_AppCompat_ActionButton=0x7f0e006f;
public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f0e0070;
public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f0e0071;
public static final int Base_Widget_AppCompat_ActionMode=0x7f0e0072;
public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0e0073;
public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f0e0074;
public static final int Base_Widget_AppCompat_Button=0x7f0e0075;
public static final int Base_Widget_AppCompat_Button_Borderless=0x7f0e0076;
public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f0e0077;
public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0e0078;
public static final int Base_Widget_AppCompat_Button_Colored=0x7f0e0079;
public static final int Base_Widget_AppCompat_Button_Small=0x7f0e007a;
public static final int Base_Widget_AppCompat_ButtonBar=0x7f0e007b;
public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0e007c;
public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f0e007d;
public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f0e007e;
public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0e007f;
public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f0e0080;
public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0e0081;
public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f0e0082;
public static final int Base_Widget_AppCompat_EditText=0x7f0e0083;
public static final int Base_Widget_AppCompat_ImageButton=0x7f0e0084;
public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0e0085;
public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0e0086;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0e0087;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f0e0088;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0e0089;
public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f0e008a;
public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f0e008b;
public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0e008c;
public static final int Base_Widget_AppCompat_ListMenuView=0x7f0e008d;
public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f0e008e;
public static final int Base_Widget_AppCompat_ListView=0x7f0e008f;
public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f0e0090;
public static final int Base_Widget_AppCompat_ListView_Menu=0x7f0e0091;
public static final int Base_Widget_AppCompat_PopupMenu=0x7f0e0092;
public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f0e0093;
public static final int Base_Widget_AppCompat_PopupWindow=0x7f0e0094;
public static final int Base_Widget_AppCompat_ProgressBar=0x7f0e0095;
public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f0e0096;
public static final int Base_Widget_AppCompat_RatingBar=0x7f0e0097;
public static final int Base_Widget_AppCompat_RatingBar_Indicator=0x7f0e0098;
public static final int Base_Widget_AppCompat_RatingBar_Small=0x7f0e0099;
public static final int Base_Widget_AppCompat_SearchView=0x7f0e009a;
public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0e009b;
public static final int Base_Widget_AppCompat_SeekBar=0x7f0e009c;
public static final int Base_Widget_AppCompat_SeekBar_Discrete=0x7f0e009d;
public static final int Base_Widget_AppCompat_Spinner=0x7f0e009e;
public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f0e009f;
public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f0e00a0;
public static final int Base_Widget_AppCompat_Toolbar=0x7f0e00a1;
public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f0e00a2;
public static final int Base_Widget_Design_AppBarLayout=0x7f0e00a3;
public static final int Base_Widget_Design_TabLayout=0x7f0e00a4;
public static final int CardView=0x7f0e00a5;
public static final int CardView_Dark=0x7f0e00a6;
public static final int CardView_Light=0x7f0e00a7;
public static final int MFP_BaseTheme=0x7f0e00a8;
public static final int MFP_BaseToolbarTheme=0x7f0e00a9;
public static final int Platform_AppCompat=0x7f0e00aa;
public static final int Platform_AppCompat_Light=0x7f0e00ab;
public static final int Platform_ThemeOverlay_AppCompat=0x7f0e00ac;
public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f0e00ad;
public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f0e00ae;
public static final int Platform_V21_AppCompat=0x7f0e00af;
public static final int Platform_V21_AppCompat_Light=0x7f0e00b0;
public static final int Platform_V25_AppCompat=0x7f0e00b1;
public static final int Platform_V25_AppCompat_Light=0x7f0e00b2;
public static final int Platform_Widget_AppCompat_Spinner=0x7f0e00b3;
public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f0e00b4;
public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f0e00b5;
public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f0e00b6;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f0e00b7;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f0e00b8;
public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f0e00b9;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f0e00ba;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f0e00bb;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f0e00bc;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f0e00bd;
public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f0e00be;
public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f0e00bf;
public static final int RtlUnderlay_Widget_AppCompat_ActionButton=0x7f0e00c0;
public static final int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow=0x7f0e00c1;
public static final int TextAppearance_AppCompat=0x7f0e00c2;
public static final int TextAppearance_AppCompat_Body1=0x7f0e00c3;
public static final int TextAppearance_AppCompat_Body2=0x7f0e00c4;
public static final int TextAppearance_AppCompat_Button=0x7f0e00c5;
public static final int TextAppearance_AppCompat_Caption=0x7f0e00c6;
public static final int TextAppearance_AppCompat_Display1=0x7f0e00c7;
public static final int TextAppearance_AppCompat_Display2=0x7f0e00c8;
public static final int TextAppearance_AppCompat_Display3=0x7f0e00c9;
public static final int TextAppearance_AppCompat_Display4=0x7f0e00ca;
public static final int TextAppearance_AppCompat_Headline=0x7f0e00cb;
public static final int TextAppearance_AppCompat_Inverse=0x7f0e00cc;
public static final int TextAppearance_AppCompat_Large=0x7f0e00cd;
public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0e00ce;
public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0e00cf;
public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0e00d0;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0e00d1;
public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0e00d2;
public static final int TextAppearance_AppCompat_Medium=0x7f0e00d3;
public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0e00d4;
public static final int TextAppearance_AppCompat_Menu=0x7f0e00d5;
public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0e00d6;
public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0e00d7;
public static final int TextAppearance_AppCompat_Small=0x7f0e00d8;
public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0e00d9;
public static final int TextAppearance_AppCompat_Subhead=0x7f0e00da;
public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0e00db;
public static final int TextAppearance_AppCompat_Title=0x7f0e00dc;
public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0e00dd;
public static final int TextAppearance_AppCompat_Tooltip=0x7f0e00de;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0e00df;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0e00e0;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0e00e1;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0e00e2;
public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0e00e3;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0e00e4;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0e00e5;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0e00e6;
public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0e00e7;
public static final int TextAppearance_AppCompat_Widget_Button=0x7f0e00e8;
public static final int TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0e00e9;
public static final int TextAppearance_AppCompat_Widget_Button_Colored=0x7f0e00ea;
public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0e00eb;
public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0e00ec;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0e00ed;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0e00ee;
public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0e00ef;
public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0e00f0;
public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0e00f1;
public static final int TextAppearance_Compat_Notification=0x7f0e00f2;
public static final int TextAppearance_Compat_Notification_Info=0x7f0e00f3;
public static final int TextAppearance_Compat_Notification_Info_Media=0x7f0e00f4;
public static final int TextAppearance_Compat_Notification_Line2=0x7f0e00f5;
public static final int TextAppearance_Compat_Notification_Line2_Media=0x7f0e00f6;
public static final int TextAppearance_Compat_Notification_Media=0x7f0e00f7;
public static final int TextAppearance_Compat_Notification_Time=0x7f0e00f8;
public static final int TextAppearance_Compat_Notification_Time_Media=0x7f0e00f9;
public static final int TextAppearance_Compat_Notification_Title=0x7f0e00fa;
public static final int TextAppearance_Compat_Notification_Title_Media=0x7f0e00fb;
public static final int TextAppearance_Design_CollapsingToolbar_Expanded=0x7f0e00fc;
public static final int TextAppearance_Design_Counter=0x7f0e00fd;
public static final int TextAppearance_Design_Counter_Overflow=0x7f0e00fe;
public static final int TextAppearance_Design_Error=0x7f0e00ff;
public static final int TextAppearance_Design_Hint=0x7f0e0100;
public static final int TextAppearance_Design_Snackbar_Message=0x7f0e0101;
public static final int TextAppearance_Design_Tab=0x7f0e0102;
public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0e0103;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0e0104;
public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0e0105;
public static final int Theme_AppCompat=0x7f0e0106;
public static final int Theme_AppCompat_CompactMenu=0x7f0e0107;
public static final int Theme_AppCompat_DayNight=0x7f0e0108;
public static final int Theme_AppCompat_DayNight_DarkActionBar=0x7f0e0109;
public static final int Theme_AppCompat_DayNight_Dialog=0x7f0e010a;
public static final int Theme_AppCompat_DayNight_Dialog_Alert=0x7f0e010b;
public static final int Theme_AppCompat_DayNight_Dialog_MinWidth=0x7f0e010c;
public static final int Theme_AppCompat_DayNight_DialogWhenLarge=0x7f0e010d;
public static final int Theme_AppCompat_DayNight_NoActionBar=0x7f0e010e;
public static final int Theme_AppCompat_Dialog=0x7f0e010f;
public static final int Theme_AppCompat_Dialog_Alert=0x7f0e0110;
public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0e0111;
public static final int Theme_AppCompat_DialogWhenLarge=0x7f0e0112;
public static final int Theme_AppCompat_Light=0x7f0e0113;
public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0e0114;
public static final int Theme_AppCompat_Light_Dialog=0x7f0e0115;
public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0e0116;
public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0e0117;
public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0e0118;
public static final int Theme_AppCompat_Light_NoActionBar=0x7f0e0119;
public static final int Theme_AppCompat_NoActionBar=0x7f0e011a;
public static final int Theme_Design=0x7f0e011b;
public static final int Theme_Design_BottomSheetDialog=0x7f0e011c;
public static final int Theme_Design_Light=0x7f0e011d;
public static final int Theme_Design_Light_BottomSheetDialog=0x7f0e011e;
public static final int Theme_Design_Light_NoActionBar=0x7f0e011f;
public static final int Theme_Design_NoActionBar=0x7f0e0120;
public static final int ThemeOverlay_AppCompat=0x7f0e0121;
public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0e0122;
public static final int ThemeOverlay_AppCompat_Dark=0x7f0e0123;
public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0e0124;
public static final int ThemeOverlay_AppCompat_Dialog=0x7f0e0125;
public static final int ThemeOverlay_AppCompat_Dialog_Alert=0x7f0e0126;
public static final int ThemeOverlay_AppCompat_Light=0x7f0e0127;
public static final int ToolbarTheme=0x7f0e0128;
public static final int Widget_AppCompat_ActionBar=0x7f0e0129;
public static final int Widget_AppCompat_ActionBar_Solid=0x7f0e012a;
public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0e012b;
public static final int Widget_AppCompat_ActionBar_TabText=0x7f0e012c;
public static final int Widget_AppCompat_ActionBar_TabView=0x7f0e012d;
public static final int Widget_AppCompat_ActionButton=0x7f0e012e;
public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0e012f;
public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0e0130;
public static final int Widget_AppCompat_ActionMode=0x7f0e0131;
public static final int Widget_AppCompat_ActivityChooserView=0x7f0e0132;
public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0e0133;
public static final int Widget_AppCompat_Button=0x7f0e0134;
public static final int Widget_AppCompat_Button_Borderless=0x7f0e0135;
public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f0e0136;
public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0e0137;
public static final int Widget_AppCompat_Button_Colored=0x7f0e0138;
public static final int Widget_AppCompat_Button_Small=0x7f0e0139;
public static final int Widget_AppCompat_ButtonBar=0x7f0e013a;
public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f0e013b;
public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f0e013c;
public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f0e013d;
public static final int Widget_AppCompat_CompoundButton_Switch=0x7f0e013e;
public static final int Widget_AppCompat_DrawerArrowToggle=0x7f0e013f;
public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f0e0140;
public static final int Widget_AppCompat_EditText=0x7f0e0141;
public static final int Widget_AppCompat_ImageButton=0x7f0e0142;
public static final int Widget_AppCompat_Light_ActionBar=0x7f0e0143;
public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f0e0144;
public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f0e0145;
public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f0e0146;
public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f0e0147;
public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f0e0148;
public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0e0149;
public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f0e014a;
public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f0e014b;
public static final int Widget_AppCompat_Light_ActionButton=0x7f0e014c;
public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f0e014d;
public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f0e014e;
public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f0e014f;
public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f0e0150;
public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f0e0151;
public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f0e0152;
public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f0e0153;
public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f0e0154;
public static final int Widget_AppCompat_Light_PopupMenu=0x7f0e0155;
public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0e0156;
public static final int Widget_AppCompat_Light_SearchView=0x7f0e0157;
public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f0e0158;
public static final int Widget_AppCompat_ListMenuView=0x7f0e0159;
public static final int Widget_AppCompat_ListPopupWindow=0x7f0e015a;
public static final int Widget_AppCompat_ListView=0x7f0e015b;
public static final int Widget_AppCompat_ListView_DropDown=0x7f0e015c;
public static final int Widget_AppCompat_ListView_Menu=0x7f0e015d;
public static final int Widget_AppCompat_PopupMenu=0x7f0e015e;
public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f0e015f;
public static final int Widget_AppCompat_PopupWindow=0x7f0e0160;
public static final int Widget_AppCompat_ProgressBar=0x7f0e0161;
public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f0e0162;
public static final int Widget_AppCompat_RatingBar=0x7f0e0163;
public static final int Widget_AppCompat_RatingBar_Indicator=0x7f0e0164;
public static final int Widget_AppCompat_RatingBar_Small=0x7f0e0165;
public static final int Widget_AppCompat_SearchView=0x7f0e0166;
public static final int Widget_AppCompat_SearchView_ActionBar=0x7f0e0167;
public static final int Widget_AppCompat_SeekBar=0x7f0e0168;
public static final int Widget_AppCompat_SeekBar_Discrete=0x7f0e0169;
public static final int Widget_AppCompat_Spinner=0x7f0e016a;
public static final int Widget_AppCompat_Spinner_DropDown=0x7f0e016b;
public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f0e016c;
public static final int Widget_AppCompat_Spinner_Underlined=0x7f0e016d;
public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f0e016e;
public static final int Widget_AppCompat_Toolbar=0x7f0e016f;
public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f0e0170;
public static final int Widget_Compat_NotificationActionContainer=0x7f0e0171;
public static final int Widget_Compat_NotificationActionText=0x7f0e0172;
public static final int Widget_Design_AppBarLayout=0x7f0e0173;
public static final int Widget_Design_BottomNavigationView=0x7f0e0174;
public static final int Widget_Design_BottomSheet_Modal=0x7f0e0175;
public static final int Widget_Design_CollapsingToolbar=0x7f0e0176;
public static final int Widget_Design_CoordinatorLayout=0x7f0e0177;
public static final int Widget_Design_FloatingActionButton=0x7f0e0178;
public static final int Widget_Design_NavigationView=0x7f0e0179;
public static final int Widget_Design_ScrimInsetsFrameLayout=0x7f0e017a;
public static final int Widget_Design_Snackbar=0x7f0e017b;
public static final int Widget_Design_TabLayout=0x7f0e017c;
public static final int Widget_Design_TextInputLayout=0x7f0e017d;
public static final int Widget_Support_CoordinatorLayout=0x7f0e017e;
}
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.tradeschool.bhaskarsabnis.BlueshoreFinancial:background}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_backgroundSplit com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundSplit}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_backgroundStacked com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundStacked}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_contentInsetEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_contentInsetEndWithActions com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEndWithActions}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_contentInsetLeft com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_contentInsetRight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetRight}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_contentInsetStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStart}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_contentInsetStartWithNavigation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStartWithNavigation}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_customNavigationLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:customNavigationLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_displayOptions com.tradeschool.bhaskarsabnis.BlueshoreFinancial:displayOptions}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_divider com.tradeschool.bhaskarsabnis.BlueshoreFinancial:divider}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_elevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_height com.tradeschool.bhaskarsabnis.BlueshoreFinancial:height}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_hideOnContentScroll com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hideOnContentScroll}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_homeAsUpIndicator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:homeAsUpIndicator}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_homeLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:homeLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_icon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:icon}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_indeterminateProgressStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:indeterminateProgressStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_itemPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_logo com.tradeschool.bhaskarsabnis.BlueshoreFinancial:logo}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_navigationMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:navigationMode}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_popupTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_progressBarPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:progressBarPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_progressBarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:progressBarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_subtitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitle}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_subtitleTextStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_title com.tradeschool.bhaskarsabnis.BlueshoreFinancial:title}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionBar_titleTextStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextStyle}</code></td><td></td></tr>
* </table>
* @see #ActionBar_background
* @see #ActionBar_backgroundSplit
* @see #ActionBar_backgroundStacked
* @see #ActionBar_contentInsetEnd
* @see #ActionBar_contentInsetEndWithActions
* @see #ActionBar_contentInsetLeft
* @see #ActionBar_contentInsetRight
* @see #ActionBar_contentInsetStart
* @see #ActionBar_contentInsetStartWithNavigation
* @see #ActionBar_customNavigationLayout
* @see #ActionBar_displayOptions
* @see #ActionBar_divider
* @see #ActionBar_elevation
* @see #ActionBar_height
* @see #ActionBar_hideOnContentScroll
* @see #ActionBar_homeAsUpIndicator
* @see #ActionBar_homeLayout
* @see #ActionBar_icon
* @see #ActionBar_indeterminateProgressStyle
* @see #ActionBar_itemPadding
* @see #ActionBar_logo
* @see #ActionBar_navigationMode
* @see #ActionBar_popupTheme
* @see #ActionBar_progressBarPadding
* @see #ActionBar_progressBarStyle
* @see #ActionBar_subtitle
* @see #ActionBar_subtitleTextStyle
* @see #ActionBar_title
* @see #ActionBar_titleTextStyle
*/
public static final int[] ActionBar={
0x7f030031, 0x7f030032, 0x7f030033, 0x7f030071,
0x7f030072, 0x7f030073, 0x7f030074, 0x7f030075,
0x7f030076, 0x7f030083, 0x7f030087, 0x7f030088,
0x7f030093, 0x7f0300b5, 0x7f0300b6, 0x7f0300ba,
0x7f0300bb, 0x7f0300bc, 0x7f0300c3, 0x7f0300c9,
0x7f030120, 0x7f03012a, 0x7f03013a, 0x7f03013e,
0x7f03013f, 0x7f030164, 0x7f030167, 0x7f030193,
0x7f03019d
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#background}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:background
*/
public static final int ActionBar_background=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundSplit
*/
public static final int ActionBar_backgroundSplit=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundStacked
*/
public static final int ActionBar_backgroundStacked=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetEnd}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEnd
*/
public static final int ActionBar_contentInsetEnd=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetEndWithActions}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEndWithActions
*/
public static final int ActionBar_contentInsetEndWithActions=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetLeft}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetLeft
*/
public static final int ActionBar_contentInsetLeft=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetRight}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetRight
*/
public static final int ActionBar_contentInsetRight=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetStart}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStart
*/
public static final int ActionBar_contentInsetStart=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetStartWithNavigation}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStartWithNavigation
*/
public static final int ActionBar_contentInsetStartWithNavigation=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#customNavigationLayout}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:customNavigationLayout
*/
public static final int ActionBar_customNavigationLayout=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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>disableHome</td><td>20</td><td></td></tr>
* <tr><td>homeAsUp</td><td>4</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>showCustom</td><td>10</td><td></td></tr>
* <tr><td>showHome</td><td>2</td><td></td></tr>
* <tr><td>showTitle</td><td>8</td><td></td></tr>
* <tr><td>useLogo</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:displayOptions
*/
public static final int ActionBar_displayOptions=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#divider}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:divider
*/
public static final int ActionBar_divider=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#elevation}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation
*/
public static final int ActionBar_elevation=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#height}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:height
*/
public static final int ActionBar_height=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#hideOnContentScroll}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hideOnContentScroll
*/
public static final int ActionBar_hideOnContentScroll=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#homeAsUpIndicator}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:homeAsUpIndicator
*/
public static final int ActionBar_homeAsUpIndicator=15;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#homeLayout}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:homeLayout
*/
public static final int ActionBar_homeLayout=16;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#icon}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:icon
*/
public static final int ActionBar_icon=17;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#indeterminateProgressStyle}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:indeterminateProgressStyle
*/
public static final int ActionBar_indeterminateProgressStyle=18;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemPadding}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemPadding
*/
public static final int ActionBar_itemPadding=19;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#logo}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:logo
*/
public static final int ActionBar_logo=20;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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>listMode</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* <tr><td>tabMode</td><td>2</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:navigationMode
*/
public static final int ActionBar_navigationMode=21;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#popupTheme}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupTheme
*/
public static final int ActionBar_popupTheme=22;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#progressBarPadding}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:progressBarPadding
*/
public static final int ActionBar_progressBarPadding=23;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#progressBarStyle}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:progressBarStyle
*/
public static final int ActionBar_progressBarStyle=24;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subtitle}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitle
*/
public static final int ActionBar_subtitle=25;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subtitleTextStyle}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextStyle
*/
public static final int ActionBar_subtitleTextStyle=26;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#title}
* attribute's value can be found in the {@link #ActionBar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:title
*/
public static final int ActionBar_title=27;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleTextStyle}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextStyle
*/
public static final int ActionBar_titleTextStyle=28;
/**
* Attributes that can be used with a ActionBarLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ActionBarLayout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
* </table>
* @see #ActionBarLayout_android_layout_gravity
*/
public static final int[] ActionBarLayout={
0x010100b3
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
* attribute's value can be found in the {@link #ActionBarLayout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name android:layout_gravity
*/
public static final int ActionBarLayout_android_layout_gravity=0;
/**
* Attributes that can be used with a ActionMenuItemView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ActionMenuItemView_android_minWidth android:minWidth}</code></td><td></td></tr>
* </table>
* @see #ActionMenuItemView_android_minWidth
*/
public static final int[] ActionMenuItemView={
0x0101013f
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#minWidth}
* attribute's value can be found in the {@link #ActionMenuItemView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minWidth
*/
public static final int ActionMenuItemView_android_minWidth=0;
public static final int[] ActionMenuView={
};
/**
* Attributes that can be used with a ActionMode.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ActionMode_background com.tradeschool.bhaskarsabnis.BlueshoreFinancial:background}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionMode_backgroundSplit com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundSplit}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionMode_closeItemLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:closeItemLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionMode_height com.tradeschool.bhaskarsabnis.BlueshoreFinancial:height}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionMode_subtitleTextStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ActionMode_titleTextStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial: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={
0x7f030031, 0x7f030032, 0x7f03005b, 0x7f0300b5,
0x7f030167, 0x7f03019d
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#background}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:background
*/
public static final int ActionMode_background=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundSplit
*/
public static final int ActionMode_backgroundSplit=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#closeItemLayout}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:closeItemLayout
*/
public static final int ActionMode_closeItemLayout=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#height}
* attribute's value can be found in the {@link #ActionMode} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:height
*/
public static final int ActionMode_height=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subtitleTextStyle}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextStyle
*/
public static final int ActionMode_subtitleTextStyle=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleTextStyle}
* 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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextStyle
*/
public static final int ActionMode_titleTextStyle=5;
/**
* Attributes that can be used with a ActivityChooserView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ActivityChooserView_expandActivityOverflowButtonDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandActivityOverflowButtonDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #ActivityChooserView_initialActivityCount com.tradeschool.bhaskarsabnis.BlueshoreFinancial:initialActivityCount}</code></td><td></td></tr>
* </table>
* @see #ActivityChooserView_expandActivityOverflowButtonDrawable
* @see #ActivityChooserView_initialActivityCount
*/
public static final int[] ActivityChooserView={
0x7f030097, 0x7f0300c4
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandActivityOverflowButtonDrawable}
* attribute's value can be found in the {@link #ActivityChooserView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandActivityOverflowButtonDrawable
*/
public static final int ActivityChooserView_expandActivityOverflowButtonDrawable=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#initialActivityCount}
* attribute's value can be found in the {@link #ActivityChooserView} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:initialActivityCount
*/
public static final int ActivityChooserView_initialActivityCount=1;
/**
* Attributes that can be used with a AlertDialog.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AlertDialog_android_layout android:layout}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_buttonIconDimen com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonIconDimen}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_buttonPanelSideLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonPanelSideLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_listItemLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listItemLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_listLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_multiChoiceItemLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:multiChoiceItemLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_showTitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showTitle}</code></td><td></td></tr>
* <tr><td><code>{@link #AlertDialog_singleChoiceItemLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:singleChoiceItemLayout}</code></td><td></td></tr>
* </table>
* @see #AlertDialog_android_layout
* @see #AlertDialog_buttonIconDimen
* @see #AlertDialog_buttonPanelSideLayout
* @see #AlertDialog_listItemLayout
* @see #AlertDialog_listLayout
* @see #AlertDialog_multiChoiceItemLayout
* @see #AlertDialog_showTitle
* @see #AlertDialog_singleChoiceItemLayout
*/
public static final int[] AlertDialog={
0x010100f2, 0x7f030048, 0x7f030049, 0x7f030117,
0x7f030118, 0x7f030127, 0x7f030154, 0x7f030155
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:layout
*/
public static final int AlertDialog_android_layout=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonIconDimen}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonIconDimen
*/
public static final int AlertDialog_buttonIconDimen=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonPanelSideLayout}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonPanelSideLayout
*/
public static final int AlertDialog_buttonPanelSideLayout=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listItemLayout}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listItemLayout
*/
public static final int AlertDialog_listItemLayout=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listLayout}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listLayout
*/
public static final int AlertDialog_listLayout=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#multiChoiceItemLayout}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:multiChoiceItemLayout
*/
public static final int AlertDialog_multiChoiceItemLayout=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#showTitle}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showTitle
*/
public static final int AlertDialog_showTitle=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#singleChoiceItemLayout}
* attribute's value can be found in the {@link #AlertDialog} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:singleChoiceItemLayout
*/
public static final int AlertDialog_singleChoiceItemLayout=7;
/**
* Attributes that can be used with a AppBarLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppBarLayout_android_background android:background}</code></td><td></td></tr>
* <tr><td><code>{@link #AppBarLayout_android_touchscreenBlocksFocus android:touchscreenBlocksFocus}</code></td><td></td></tr>
* <tr><td><code>{@link #AppBarLayout_android_keyboardNavigationCluster android:keyboardNavigationCluster}</code></td><td></td></tr>
* <tr><td><code>{@link #AppBarLayout_elevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #AppBarLayout_expanded com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expanded}</code></td><td></td></tr>
* </table>
* @see #AppBarLayout_android_background
* @see #AppBarLayout_android_touchscreenBlocksFocus
* @see #AppBarLayout_android_keyboardNavigationCluster
* @see #AppBarLayout_elevation
* @see #AppBarLayout_expanded
*/
public static final int[] AppBarLayout={
0x010100d4, 0x0101048f, 0x01010540, 0x7f030093,
0x7f030098
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#background}
* attribute's value can be found in the {@link #AppBarLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:background
*/
public static final int AppBarLayout_android_background=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#touchscreenBlocksFocus}
* attribute's value can be found in the {@link #AppBarLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:touchscreenBlocksFocus
*/
public static final int AppBarLayout_android_touchscreenBlocksFocus=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#keyboardNavigationCluster}
* attribute's value can be found in the {@link #AppBarLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:keyboardNavigationCluster
*/
public static final int AppBarLayout_android_keyboardNavigationCluster=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#elevation}
* attribute's value can be found in the {@link #AppBarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation
*/
public static final int AppBarLayout_elevation=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expanded}
* attribute's value can be found in the {@link #AppBarLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expanded
*/
public static final int AppBarLayout_expanded=4;
/**
* Attributes that can be used with a AppBarLayoutStates.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppBarLayoutStates_state_collapsed com.tradeschool.bhaskarsabnis.BlueshoreFinancial:state_collapsed}</code></td><td></td></tr>
* <tr><td><code>{@link #AppBarLayoutStates_state_collapsible com.tradeschool.bhaskarsabnis.BlueshoreFinancial:state_collapsible}</code></td><td></td></tr>
* </table>
* @see #AppBarLayoutStates_state_collapsed
* @see #AppBarLayoutStates_state_collapsible
*/
public static final int[] AppBarLayoutStates={
0x7f03015e, 0x7f03015f
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#state_collapsed}
* attribute's value can be found in the {@link #AppBarLayoutStates} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:state_collapsed
*/
public static final int AppBarLayoutStates_state_collapsed=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#state_collapsible}
* attribute's value can be found in the {@link #AppBarLayoutStates} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:state_collapsible
*/
public static final int AppBarLayoutStates_state_collapsible=1;
/**
* Attributes that can be used with a AppBarLayout_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppBarLayout_Layout_layout_scrollFlags com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_scrollFlags}</code></td><td></td></tr>
* <tr><td><code>{@link #AppBarLayout_Layout_layout_scrollInterpolator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_scrollInterpolator}</code></td><td></td></tr>
* </table>
* @see #AppBarLayout_Layout_layout_scrollFlags
* @see #AppBarLayout_Layout_layout_scrollInterpolator
*/
public static final int[] AppBarLayout_Layout={
0x7f030112, 0x7f030113
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_scrollFlags}
* attribute's value can be found in the {@link #AppBarLayout_Layout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>enterAlways</td><td>4</td><td></td></tr>
* <tr><td>enterAlwaysCollapsed</td><td>8</td><td></td></tr>
* <tr><td>exitUntilCollapsed</td><td>2</td><td></td></tr>
* <tr><td>scroll</td><td>1</td><td></td></tr>
* <tr><td>snap</td><td>10</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_scrollFlags
*/
public static final int AppBarLayout_Layout_layout_scrollFlags=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_scrollInterpolator}
* attribute's value can be found in the {@link #AppBarLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_scrollInterpolator
*/
public static final int AppBarLayout_Layout_layout_scrollInterpolator=1;
/**
* Attributes that can be used with a AppCompatImageView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppCompatImageView_android_src android:src}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatImageView_srcCompat com.tradeschool.bhaskarsabnis.BlueshoreFinancial:srcCompat}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatImageView_tint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tint}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatImageView_tintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tintMode}</code></td><td></td></tr>
* </table>
* @see #AppCompatImageView_android_src
* @see #AppCompatImageView_srcCompat
* @see #AppCompatImageView_tint
* @see #AppCompatImageView_tintMode
*/
public static final int[] AppCompatImageView={
0x01010119, 0x7f03015b, 0x7f030191, 0x7f030192
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#src}
* attribute's value can be found in the {@link #AppCompatImageView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:src
*/
public static final int AppCompatImageView_android_src=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#srcCompat}
* attribute's value can be found in the {@link #AppCompatImageView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:srcCompat
*/
public static final int AppCompatImageView_srcCompat=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tint}
* attribute's value can be found in the {@link #AppCompatImageView} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tint
*/
public static final int AppCompatImageView_tint=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tintMode}
* attribute's value can be found in the {@link #AppCompatImageView} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tintMode
*/
public static final int AppCompatImageView_tintMode=3;
/**
* Attributes that can be used with a AppCompatSeekBar.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppCompatSeekBar_android_thumb android:thumb}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatSeekBar_tickMark com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tickMark}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatSeekBar_tickMarkTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tickMarkTint}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatSeekBar_tickMarkTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tickMarkTintMode}</code></td><td></td></tr>
* </table>
* @see #AppCompatSeekBar_android_thumb
* @see #AppCompatSeekBar_tickMark
* @see #AppCompatSeekBar_tickMarkTint
* @see #AppCompatSeekBar_tickMarkTintMode
*/
public static final int[] AppCompatSeekBar={
0x01010142, 0x7f03018e, 0x7f03018f, 0x7f030190
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#thumb}
* attribute's value can be found in the {@link #AppCompatSeekBar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:thumb
*/
public static final int AppCompatSeekBar_android_thumb=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tickMark}
* attribute's value can be found in the {@link #AppCompatSeekBar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tickMark
*/
public static final int AppCompatSeekBar_tickMark=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tickMarkTint}
* attribute's value can be found in the {@link #AppCompatSeekBar} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tickMarkTint
*/
public static final int AppCompatSeekBar_tickMarkTint=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tickMarkTintMode}
* attribute's value can be found in the {@link #AppCompatSeekBar} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tickMarkTintMode
*/
public static final int AppCompatSeekBar_tickMarkTintMode=3;
/**
* Attributes that can be used with a AppCompatTextHelper.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_textAppearance android:textAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_drawableTop android:drawableTop}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_drawableBottom android:drawableBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_drawableLeft android:drawableLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_drawableRight android:drawableRight}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_drawableStart android:drawableStart}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextHelper_android_drawableEnd android:drawableEnd}</code></td><td></td></tr>
* </table>
* @see #AppCompatTextHelper_android_textAppearance
* @see #AppCompatTextHelper_android_drawableTop
* @see #AppCompatTextHelper_android_drawableBottom
* @see #AppCompatTextHelper_android_drawableLeft
* @see #AppCompatTextHelper_android_drawableRight
* @see #AppCompatTextHelper_android_drawableStart
* @see #AppCompatTextHelper_android_drawableEnd
*/
public static final int[] AppCompatTextHelper={
0x01010034, 0x0101016d, 0x0101016e, 0x0101016f,
0x01010170, 0x01010392, 0x01010393
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#textAppearance}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:textAppearance
*/
public static final int AppCompatTextHelper_android_textAppearance=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#drawableTop}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:drawableTop
*/
public static final int AppCompatTextHelper_android_drawableTop=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#drawableBottom}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:drawableBottom
*/
public static final int AppCompatTextHelper_android_drawableBottom=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#drawableLeft}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:drawableLeft
*/
public static final int AppCompatTextHelper_android_drawableLeft=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#drawableRight}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:drawableRight
*/
public static final int AppCompatTextHelper_android_drawableRight=4;
/**
* <p>This symbol is the offset where the {@link android.R.attr#drawableStart}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:drawableStart
*/
public static final int AppCompatTextHelper_android_drawableStart=5;
/**
* <p>This symbol is the offset where the {@link android.R.attr#drawableEnd}
* attribute's value can be found in the {@link #AppCompatTextHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:drawableEnd
*/
public static final int AppCompatTextHelper_android_drawableEnd=6;
/**
* Attributes that can be used with a AppCompatTextView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppCompatTextView_android_textAppearance android:textAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_autoSizeMaxTextSize com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeMaxTextSize}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_autoSizeMinTextSize com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeMinTextSize}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_autoSizePresetSizes com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizePresetSizes}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_autoSizeStepGranularity com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeStepGranularity}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_autoSizeTextType com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeTextType}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_fontFamily com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontFamily}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTextView_textAllCaps com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAllCaps}</code></td><td></td></tr>
* </table>
* @see #AppCompatTextView_android_textAppearance
* @see #AppCompatTextView_autoSizeMaxTextSize
* @see #AppCompatTextView_autoSizeMinTextSize
* @see #AppCompatTextView_autoSizePresetSizes
* @see #AppCompatTextView_autoSizeStepGranularity
* @see #AppCompatTextView_autoSizeTextType
* @see #AppCompatTextView_fontFamily
* @see #AppCompatTextView_textAllCaps
*/
public static final int[] AppCompatTextView={
0x01010034, 0x7f03002c, 0x7f03002d, 0x7f03002e,
0x7f03002f, 0x7f030030, 0x7f0300a8, 0x7f03017d
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#textAppearance}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:textAppearance
*/
public static final int AppCompatTextView_android_textAppearance=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#autoSizeMaxTextSize}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeMaxTextSize
*/
public static final int AppCompatTextView_autoSizeMaxTextSize=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#autoSizeMinTextSize}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeMinTextSize
*/
public static final int AppCompatTextView_autoSizeMinTextSize=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#autoSizePresetSizes}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizePresetSizes
*/
public static final int AppCompatTextView_autoSizePresetSizes=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#autoSizeStepGranularity}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeStepGranularity
*/
public static final int AppCompatTextView_autoSizeStepGranularity=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#autoSizeTextType}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>uniform</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoSizeTextType
*/
public static final int AppCompatTextView_autoSizeTextType=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontFamily}
* attribute's value can be found in the {@link #AppCompatTextView} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontFamily
*/
public static final int AppCompatTextView_fontFamily=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAllCaps
*/
public static final int AppCompatTextView_textAllCaps=7;
/**
* Attributes that can be used with a AppCompatTheme.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #AppCompatTheme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarDivider com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarDivider}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarItemBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarItemBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarPopupTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarPopupTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarSize com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarSize}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarSplitStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarSplitStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarTabBarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTabBarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarTabStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTabStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarTabTextStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTabTextStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionBarWidgetTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarWidgetTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionDropDownStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionDropDownStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionMenuTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionMenuTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionMenuTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionMenuTextColor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeCloseButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCloseButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeCloseDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCloseDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeCopyDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCopyDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeCutDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCutDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeFindDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeFindDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModePasteDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModePasteDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModePopupWindowStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModePopupWindowStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeSelectAllDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeSelectAllDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeShareDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeShareDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeSplitBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeSplitBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionModeWebSearchDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeWebSearchDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionOverflowButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionOverflowButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_actionOverflowMenuStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionOverflowMenuStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_activityChooserViewStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:activityChooserViewStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_alertDialogButtonGroupStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogButtonGroupStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_alertDialogCenterButtons com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogCenterButtons}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_alertDialogStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_alertDialogTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_autoCompleteTextViewStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoCompleteTextViewStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_borderlessButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:borderlessButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonBarButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonBarNegativeButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarNegativeButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonBarNeutralButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarNeutralButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonBarPositiveButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarPositiveButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonBarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_buttonStyleSmall com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonStyleSmall}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_checkboxStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:checkboxStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_checkedTextViewStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:checkedTextViewStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorAccent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorAccent}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorBackgroundFloating com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorBackgroundFloating}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorButtonNormal com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorButtonNormal}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorControlActivated com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorControlActivated}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorControlHighlight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorControlHighlight}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorControlNormal com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorControlNormal}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorError com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorError}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorPrimary com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorPrimary}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorPrimaryDark com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorPrimaryDark}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_colorSwitchThumbNormal com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorSwitchThumbNormal}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_controlBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:controlBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_dialogPreferredPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dialogPreferredPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_dialogTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dialogTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_dividerHorizontal com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dividerHorizontal}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_dividerVertical com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dividerVertical}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_dropDownListViewStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dropDownListViewStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_dropdownListPreferredItemHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dropdownListPreferredItemHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_editTextBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:editTextBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_editTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:editTextColor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_editTextStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:editTextStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_homeAsUpIndicator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:homeAsUpIndicator}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_imageButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:imageButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listChoiceBackgroundIndicator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listChoiceBackgroundIndicator}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listDividerAlertDialog com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listDividerAlertDialog}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listMenuViewStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listMenuViewStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listPopupWindowStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPopupWindowStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightLarge com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemHeightLarge}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightSmall com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemHeightSmall}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingLeft com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemPaddingLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingRight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemPaddingRight}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_panelBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:panelBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_panelMenuListTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:panelMenuListTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_panelMenuListWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:panelMenuListWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_popupMenuStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupMenuStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_popupWindowStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupWindowStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_radioButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:radioButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_ratingBarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:ratingBarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_ratingBarStyleIndicator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:ratingBarStyleIndicator}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_ratingBarStyleSmall com.tradeschool.bhaskarsabnis.BlueshoreFinancial:ratingBarStyleSmall}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_searchViewStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:searchViewStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_seekBarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:seekBarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_selectableItemBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:selectableItemBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_selectableItemBackgroundBorderless com.tradeschool.bhaskarsabnis.BlueshoreFinancial:selectableItemBackgroundBorderless}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_spinnerDropDownItemStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spinnerDropDownItemStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_spinnerStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spinnerStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_switchStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceLargePopupMenu com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceLargePopupMenu}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceListItem com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceListItem}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSecondary com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceListItemSecondary}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSmall com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceListItemSmall}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearancePopupMenuHeader com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearancePopupMenuHeader}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultSubtitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceSearchResultSubtitle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultTitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceSearchResultTitle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textAppearanceSmallPopupMenu com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceSmallPopupMenu}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textColorAlertDialogListItem com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textColorAlertDialogListItem}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_textColorSearchUrl com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textColorSearchUrl}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_toolbarNavigationButtonStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:toolbarNavigationButtonStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_toolbarStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:toolbarStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_tooltipForegroundColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tooltipForegroundColor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_tooltipFrameBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tooltipFrameBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_viewInflaterClass com.tradeschool.bhaskarsabnis.BlueshoreFinancial:viewInflaterClass}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowActionBar com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowActionBar}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowActionBarOverlay com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowActionBarOverlay}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowActionModeOverlay com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowActionModeOverlay}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMajor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedHeightMajor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMinor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedHeightMinor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMajor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedWidthMajor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMinor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedWidthMinor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowMinWidthMajor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowMinWidthMajor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowMinWidthMinor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowMinWidthMinor}</code></td><td></td></tr>
* <tr><td><code>{@link #AppCompatTheme_windowNoTitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowNoTitle}</code></td><td></td></tr>
* </table>
* @see #AppCompatTheme_android_windowIsFloating
* @see #AppCompatTheme_android_windowAnimationStyle
* @see #AppCompatTheme_actionBarDivider
* @see #AppCompatTheme_actionBarItemBackground
* @see #AppCompatTheme_actionBarPopupTheme
* @see #AppCompatTheme_actionBarSize
* @see #AppCompatTheme_actionBarSplitStyle
* @see #AppCompatTheme_actionBarStyle
* @see #AppCompatTheme_actionBarTabBarStyle
* @see #AppCompatTheme_actionBarTabStyle
* @see #AppCompatTheme_actionBarTabTextStyle
* @see #AppCompatTheme_actionBarTheme
* @see #AppCompatTheme_actionBarWidgetTheme
* @see #AppCompatTheme_actionButtonStyle
* @see #AppCompatTheme_actionDropDownStyle
* @see #AppCompatTheme_actionMenuTextAppearance
* @see #AppCompatTheme_actionMenuTextColor
* @see #AppCompatTheme_actionModeBackground
* @see #AppCompatTheme_actionModeCloseButtonStyle
* @see #AppCompatTheme_actionModeCloseDrawable
* @see #AppCompatTheme_actionModeCopyDrawable
* @see #AppCompatTheme_actionModeCutDrawable
* @see #AppCompatTheme_actionModeFindDrawable
* @see #AppCompatTheme_actionModePasteDrawable
* @see #AppCompatTheme_actionModePopupWindowStyle
* @see #AppCompatTheme_actionModeSelectAllDrawable
* @see #AppCompatTheme_actionModeShareDrawable
* @see #AppCompatTheme_actionModeSplitBackground
* @see #AppCompatTheme_actionModeStyle
* @see #AppCompatTheme_actionModeWebSearchDrawable
* @see #AppCompatTheme_actionOverflowButtonStyle
* @see #AppCompatTheme_actionOverflowMenuStyle
* @see #AppCompatTheme_activityChooserViewStyle
* @see #AppCompatTheme_alertDialogButtonGroupStyle
* @see #AppCompatTheme_alertDialogCenterButtons
* @see #AppCompatTheme_alertDialogStyle
* @see #AppCompatTheme_alertDialogTheme
* @see #AppCompatTheme_autoCompleteTextViewStyle
* @see #AppCompatTheme_borderlessButtonStyle
* @see #AppCompatTheme_buttonBarButtonStyle
* @see #AppCompatTheme_buttonBarNegativeButtonStyle
* @see #AppCompatTheme_buttonBarNeutralButtonStyle
* @see #AppCompatTheme_buttonBarPositiveButtonStyle
* @see #AppCompatTheme_buttonBarStyle
* @see #AppCompatTheme_buttonStyle
* @see #AppCompatTheme_buttonStyleSmall
* @see #AppCompatTheme_checkboxStyle
* @see #AppCompatTheme_checkedTextViewStyle
* @see #AppCompatTheme_colorAccent
* @see #AppCompatTheme_colorBackgroundFloating
* @see #AppCompatTheme_colorButtonNormal
* @see #AppCompatTheme_colorControlActivated
* @see #AppCompatTheme_colorControlHighlight
* @see #AppCompatTheme_colorControlNormal
* @see #AppCompatTheme_colorError
* @see #AppCompatTheme_colorPrimary
* @see #AppCompatTheme_colorPrimaryDark
* @see #AppCompatTheme_colorSwitchThumbNormal
* @see #AppCompatTheme_controlBackground
* @see #AppCompatTheme_dialogPreferredPadding
* @see #AppCompatTheme_dialogTheme
* @see #AppCompatTheme_dividerHorizontal
* @see #AppCompatTheme_dividerVertical
* @see #AppCompatTheme_dropDownListViewStyle
* @see #AppCompatTheme_dropdownListPreferredItemHeight
* @see #AppCompatTheme_editTextBackground
* @see #AppCompatTheme_editTextColor
* @see #AppCompatTheme_editTextStyle
* @see #AppCompatTheme_homeAsUpIndicator
* @see #AppCompatTheme_imageButtonStyle
* @see #AppCompatTheme_listChoiceBackgroundIndicator
* @see #AppCompatTheme_listDividerAlertDialog
* @see #AppCompatTheme_listMenuViewStyle
* @see #AppCompatTheme_listPopupWindowStyle
* @see #AppCompatTheme_listPreferredItemHeight
* @see #AppCompatTheme_listPreferredItemHeightLarge
* @see #AppCompatTheme_listPreferredItemHeightSmall
* @see #AppCompatTheme_listPreferredItemPaddingLeft
* @see #AppCompatTheme_listPreferredItemPaddingRight
* @see #AppCompatTheme_panelBackground
* @see #AppCompatTheme_panelMenuListTheme
* @see #AppCompatTheme_panelMenuListWidth
* @see #AppCompatTheme_popupMenuStyle
* @see #AppCompatTheme_popupWindowStyle
* @see #AppCompatTheme_radioButtonStyle
* @see #AppCompatTheme_ratingBarStyle
* @see #AppCompatTheme_ratingBarStyleIndicator
* @see #AppCompatTheme_ratingBarStyleSmall
* @see #AppCompatTheme_searchViewStyle
* @see #AppCompatTheme_seekBarStyle
* @see #AppCompatTheme_selectableItemBackground
* @see #AppCompatTheme_selectableItemBackgroundBorderless
* @see #AppCompatTheme_spinnerDropDownItemStyle
* @see #AppCompatTheme_spinnerStyle
* @see #AppCompatTheme_switchStyle
* @see #AppCompatTheme_textAppearanceLargePopupMenu
* @see #AppCompatTheme_textAppearanceListItem
* @see #AppCompatTheme_textAppearanceListItemSecondary
* @see #AppCompatTheme_textAppearanceListItemSmall
* @see #AppCompatTheme_textAppearancePopupMenuHeader
* @see #AppCompatTheme_textAppearanceSearchResultSubtitle
* @see #AppCompatTheme_textAppearanceSearchResultTitle
* @see #AppCompatTheme_textAppearanceSmallPopupMenu
* @see #AppCompatTheme_textColorAlertDialogListItem
* @see #AppCompatTheme_textColorSearchUrl
* @see #AppCompatTheme_toolbarNavigationButtonStyle
* @see #AppCompatTheme_toolbarStyle
* @see #AppCompatTheme_tooltipForegroundColor
* @see #AppCompatTheme_tooltipFrameBackground
* @see #AppCompatTheme_viewInflaterClass
* @see #AppCompatTheme_windowActionBar
* @see #AppCompatTheme_windowActionBarOverlay
* @see #AppCompatTheme_windowActionModeOverlay
* @see #AppCompatTheme_windowFixedHeightMajor
* @see #AppCompatTheme_windowFixedHeightMinor
* @see #AppCompatTheme_windowFixedWidthMajor
* @see #AppCompatTheme_windowFixedWidthMinor
* @see #AppCompatTheme_windowMinWidthMajor
* @see #AppCompatTheme_windowMinWidthMinor
* @see #AppCompatTheme_windowNoTitle
*/
public static final int[] AppCompatTheme={
0x01010057, 0x010100ae, 0x7f030000, 0x7f030001,
0x7f030002, 0x7f030003, 0x7f030004, 0x7f030005,
0x7f030006, 0x7f030007, 0x7f030008, 0x7f030009,
0x7f03000a, 0x7f03000b, 0x7f03000c, 0x7f03000e,
0x7f03000f, 0x7f030010, 0x7f030011, 0x7f030012,
0x7f030013, 0x7f030014, 0x7f030015, 0x7f030016,
0x7f030017, 0x7f030018, 0x7f030019, 0x7f03001a,
0x7f03001b, 0x7f03001c, 0x7f03001d, 0x7f03001e,
0x7f030021, 0x7f030022, 0x7f030023, 0x7f030024,
0x7f030025, 0x7f03002b, 0x7f03003f, 0x7f030042,
0x7f030043, 0x7f030044, 0x7f030045, 0x7f030046,
0x7f03004b, 0x7f03004c, 0x7f030057, 0x7f030058,
0x7f030061, 0x7f030062, 0x7f030063, 0x7f030064,
0x7f030065, 0x7f030066, 0x7f030067, 0x7f030068,
0x7f030069, 0x7f03006b, 0x7f03007d, 0x7f030085,
0x7f030086, 0x7f030089, 0x7f03008b, 0x7f03008e,
0x7f03008f, 0x7f030090, 0x7f030091, 0x7f030092,
0x7f0300ba, 0x7f0300c2, 0x7f030115, 0x7f030116,
0x7f030119, 0x7f03011a, 0x7f03011b, 0x7f03011c,
0x7f03011d, 0x7f03011e, 0x7f03011f, 0x7f030131,
0x7f030132, 0x7f030133, 0x7f030139, 0x7f03013b,
0x7f030142, 0x7f030143, 0x7f030144, 0x7f030145,
0x7f03014d, 0x7f03014e, 0x7f03014f, 0x7f030150,
0x7f030158, 0x7f030159, 0x7f03016b, 0x7f03017e,
0x7f03017f, 0x7f030180, 0x7f030181, 0x7f030182,
0x7f030183, 0x7f030184, 0x7f030185, 0x7f030186,
0x7f030188, 0x7f03019f, 0x7f0301a0, 0x7f0301a1,
0x7f0301a2, 0x7f0301a8, 0x7f0301aa, 0x7f0301ab,
0x7f0301ac, 0x7f0301ad, 0x7f0301ae, 0x7f0301af,
0x7f0301b0, 0x7f0301b1, 0x7f0301b2, 0x7f0301b3
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#windowIsFloating}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:windowIsFloating
*/
public static final int AppCompatTheme_android_windowIsFloating=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:windowAnimationStyle
*/
public static final int AppCompatTheme_android_windowAnimationStyle=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarDivider}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarDivider
*/
public static final int AppCompatTheme_actionBarDivider=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarItemBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarItemBackground
*/
public static final int AppCompatTheme_actionBarItemBackground=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarPopupTheme}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarPopupTheme
*/
public static final int AppCompatTheme_actionBarPopupTheme=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarSize}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap_content</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarSize
*/
public static final int AppCompatTheme_actionBarSize=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarSplitStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarSplitStyle
*/
public static final int AppCompatTheme_actionBarSplitStyle=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarStyle
*/
public static final int AppCompatTheme_actionBarStyle=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarTabBarStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTabBarStyle
*/
public static final int AppCompatTheme_actionBarTabBarStyle=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarTabStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTabStyle
*/
public static final int AppCompatTheme_actionBarTabStyle=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarTabTextStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTabTextStyle
*/
public static final int AppCompatTheme_actionBarTabTextStyle=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarTheme}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarTheme
*/
public static final int AppCompatTheme_actionBarTheme=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionBarWidgetTheme}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionBarWidgetTheme
*/
public static final int AppCompatTheme_actionBarWidgetTheme=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionButtonStyle
*/
public static final int AppCompatTheme_actionButtonStyle=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionDropDownStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionDropDownStyle
*/
public static final int AppCompatTheme_actionDropDownStyle=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionMenuTextAppearance}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionMenuTextAppearance
*/
public static final int AppCompatTheme_actionMenuTextAppearance=15;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionMenuTextColor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionMenuTextColor
*/
public static final int AppCompatTheme_actionMenuTextColor=16;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeBackground
*/
public static final int AppCompatTheme_actionModeBackground=17;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeCloseButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCloseButtonStyle
*/
public static final int AppCompatTheme_actionModeCloseButtonStyle=18;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeCloseDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCloseDrawable
*/
public static final int AppCompatTheme_actionModeCloseDrawable=19;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeCopyDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCopyDrawable
*/
public static final int AppCompatTheme_actionModeCopyDrawable=20;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeCutDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeCutDrawable
*/
public static final int AppCompatTheme_actionModeCutDrawable=21;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeFindDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeFindDrawable
*/
public static final int AppCompatTheme_actionModeFindDrawable=22;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModePasteDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModePasteDrawable
*/
public static final int AppCompatTheme_actionModePasteDrawable=23;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModePopupWindowStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModePopupWindowStyle
*/
public static final int AppCompatTheme_actionModePopupWindowStyle=24;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeSelectAllDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeSelectAllDrawable
*/
public static final int AppCompatTheme_actionModeSelectAllDrawable=25;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeShareDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeShareDrawable
*/
public static final int AppCompatTheme_actionModeShareDrawable=26;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeSplitBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeSplitBackground
*/
public static final int AppCompatTheme_actionModeSplitBackground=27;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeStyle
*/
public static final int AppCompatTheme_actionModeStyle=28;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionModeWebSearchDrawable}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionModeWebSearchDrawable
*/
public static final int AppCompatTheme_actionModeWebSearchDrawable=29;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionOverflowButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionOverflowButtonStyle
*/
public static final int AppCompatTheme_actionOverflowButtonStyle=30;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionOverflowMenuStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionOverflowMenuStyle
*/
public static final int AppCompatTheme_actionOverflowMenuStyle=31;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#activityChooserViewStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:activityChooserViewStyle
*/
public static final int AppCompatTheme_activityChooserViewStyle=32;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#alertDialogButtonGroupStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogButtonGroupStyle
*/
public static final int AppCompatTheme_alertDialogButtonGroupStyle=33;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#alertDialogCenterButtons}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogCenterButtons
*/
public static final int AppCompatTheme_alertDialogCenterButtons=34;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#alertDialogStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogStyle
*/
public static final int AppCompatTheme_alertDialogStyle=35;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#alertDialogTheme}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alertDialogTheme
*/
public static final int AppCompatTheme_alertDialogTheme=36;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#autoCompleteTextViewStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:autoCompleteTextViewStyle
*/
public static final int AppCompatTheme_autoCompleteTextViewStyle=37;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#borderlessButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:borderlessButtonStyle
*/
public static final int AppCompatTheme_borderlessButtonStyle=38;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonBarButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarButtonStyle
*/
public static final int AppCompatTheme_buttonBarButtonStyle=39;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonBarNegativeButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarNegativeButtonStyle
*/
public static final int AppCompatTheme_buttonBarNegativeButtonStyle=40;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonBarNeutralButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarNeutralButtonStyle
*/
public static final int AppCompatTheme_buttonBarNeutralButtonStyle=41;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonBarPositiveButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarPositiveButtonStyle
*/
public static final int AppCompatTheme_buttonBarPositiveButtonStyle=42;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonBarStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonBarStyle
*/
public static final int AppCompatTheme_buttonBarStyle=43;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonStyle
*/
public static final int AppCompatTheme_buttonStyle=44;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonStyleSmall}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonStyleSmall
*/
public static final int AppCompatTheme_buttonStyleSmall=45;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#checkboxStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:checkboxStyle
*/
public static final int AppCompatTheme_checkboxStyle=46;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#checkedTextViewStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:checkedTextViewStyle
*/
public static final int AppCompatTheme_checkedTextViewStyle=47;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorAccent}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorAccent
*/
public static final int AppCompatTheme_colorAccent=48;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorBackgroundFloating}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorBackgroundFloating
*/
public static final int AppCompatTheme_colorBackgroundFloating=49;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorButtonNormal}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorButtonNormal
*/
public static final int AppCompatTheme_colorButtonNormal=50;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorControlActivated}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorControlActivated
*/
public static final int AppCompatTheme_colorControlActivated=51;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorControlHighlight}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorControlHighlight
*/
public static final int AppCompatTheme_colorControlHighlight=52;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorControlNormal}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorControlNormal
*/
public static final int AppCompatTheme_colorControlNormal=53;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorError}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorError
*/
public static final int AppCompatTheme_colorError=54;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorPrimary}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorPrimary
*/
public static final int AppCompatTheme_colorPrimary=55;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorPrimaryDark}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorPrimaryDark
*/
public static final int AppCompatTheme_colorPrimaryDark=56;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#colorSwitchThumbNormal}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorSwitchThumbNormal
*/
public static final int AppCompatTheme_colorSwitchThumbNormal=57;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#controlBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:controlBackground
*/
public static final int AppCompatTheme_controlBackground=58;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dialogPreferredPadding}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dialogPreferredPadding
*/
public static final int AppCompatTheme_dialogPreferredPadding=59;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dialogTheme}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dialogTheme
*/
public static final int AppCompatTheme_dialogTheme=60;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dividerHorizontal}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dividerHorizontal
*/
public static final int AppCompatTheme_dividerHorizontal=61;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dividerVertical}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dividerVertical
*/
public static final int AppCompatTheme_dividerVertical=62;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dropDownListViewStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dropDownListViewStyle
*/
public static final int AppCompatTheme_dropDownListViewStyle=63;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dropdownListPreferredItemHeight}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dropdownListPreferredItemHeight
*/
public static final int AppCompatTheme_dropdownListPreferredItemHeight=64;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#editTextBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:editTextBackground
*/
public static final int AppCompatTheme_editTextBackground=65;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#editTextColor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:editTextColor
*/
public static final int AppCompatTheme_editTextColor=66;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#editTextStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:editTextStyle
*/
public static final int AppCompatTheme_editTextStyle=67;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#homeAsUpIndicator}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:homeAsUpIndicator
*/
public static final int AppCompatTheme_homeAsUpIndicator=68;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#imageButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:imageButtonStyle
*/
public static final int AppCompatTheme_imageButtonStyle=69;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listChoiceBackgroundIndicator}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listChoiceBackgroundIndicator
*/
public static final int AppCompatTheme_listChoiceBackgroundIndicator=70;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listDividerAlertDialog}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listDividerAlertDialog
*/
public static final int AppCompatTheme_listDividerAlertDialog=71;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listMenuViewStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listMenuViewStyle
*/
public static final int AppCompatTheme_listMenuViewStyle=72;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listPopupWindowStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPopupWindowStyle
*/
public static final int AppCompatTheme_listPopupWindowStyle=73;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listPreferredItemHeight}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemHeight
*/
public static final int AppCompatTheme_listPreferredItemHeight=74;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listPreferredItemHeightLarge}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemHeightLarge
*/
public static final int AppCompatTheme_listPreferredItemHeightLarge=75;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listPreferredItemHeightSmall}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemHeightSmall
*/
public static final int AppCompatTheme_listPreferredItemHeightSmall=76;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listPreferredItemPaddingLeft}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemPaddingLeft
*/
public static final int AppCompatTheme_listPreferredItemPaddingLeft=77;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#listPreferredItemPaddingRight}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:listPreferredItemPaddingRight
*/
public static final int AppCompatTheme_listPreferredItemPaddingRight=78;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#panelBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:panelBackground
*/
public static final int AppCompatTheme_panelBackground=79;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#panelMenuListTheme}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:panelMenuListTheme
*/
public static final int AppCompatTheme_panelMenuListTheme=80;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#panelMenuListWidth}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:panelMenuListWidth
*/
public static final int AppCompatTheme_panelMenuListWidth=81;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#popupMenuStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupMenuStyle
*/
public static final int AppCompatTheme_popupMenuStyle=82;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#popupWindowStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupWindowStyle
*/
public static final int AppCompatTheme_popupWindowStyle=83;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#radioButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:radioButtonStyle
*/
public static final int AppCompatTheme_radioButtonStyle=84;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#ratingBarStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:ratingBarStyle
*/
public static final int AppCompatTheme_ratingBarStyle=85;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#ratingBarStyleIndicator}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:ratingBarStyleIndicator
*/
public static final int AppCompatTheme_ratingBarStyleIndicator=86;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#ratingBarStyleSmall}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:ratingBarStyleSmall
*/
public static final int AppCompatTheme_ratingBarStyleSmall=87;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#searchViewStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:searchViewStyle
*/
public static final int AppCompatTheme_searchViewStyle=88;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#seekBarStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:seekBarStyle
*/
public static final int AppCompatTheme_seekBarStyle=89;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#selectableItemBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:selectableItemBackground
*/
public static final int AppCompatTheme_selectableItemBackground=90;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#selectableItemBackgroundBorderless}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:selectableItemBackgroundBorderless
*/
public static final int AppCompatTheme_selectableItemBackgroundBorderless=91;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#spinnerDropDownItemStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spinnerDropDownItemStyle
*/
public static final int AppCompatTheme_spinnerDropDownItemStyle=92;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#spinnerStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spinnerStyle
*/
public static final int AppCompatTheme_spinnerStyle=93;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#switchStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchStyle
*/
public static final int AppCompatTheme_switchStyle=94;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceLargePopupMenu}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceLargePopupMenu
*/
public static final int AppCompatTheme_textAppearanceLargePopupMenu=95;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceListItem}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceListItem
*/
public static final int AppCompatTheme_textAppearanceListItem=96;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceListItemSecondary}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceListItemSecondary
*/
public static final int AppCompatTheme_textAppearanceListItemSecondary=97;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceListItemSmall}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceListItemSmall
*/
public static final int AppCompatTheme_textAppearanceListItemSmall=98;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearancePopupMenuHeader}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearancePopupMenuHeader
*/
public static final int AppCompatTheme_textAppearancePopupMenuHeader=99;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceSearchResultSubtitle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceSearchResultSubtitle
*/
public static final int AppCompatTheme_textAppearanceSearchResultSubtitle=100;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceSearchResultTitle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceSearchResultTitle
*/
public static final int AppCompatTheme_textAppearanceSearchResultTitle=101;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textAppearanceSmallPopupMenu}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAppearanceSmallPopupMenu
*/
public static final int AppCompatTheme_textAppearanceSmallPopupMenu=102;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textColorAlertDialogListItem}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:textColorAlertDialogListItem
*/
public static final int AppCompatTheme_textColorAlertDialogListItem=103;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textColorSearchUrl}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:textColorSearchUrl
*/
public static final int AppCompatTheme_textColorSearchUrl=104;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#toolbarNavigationButtonStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:toolbarNavigationButtonStyle
*/
public static final int AppCompatTheme_toolbarNavigationButtonStyle=105;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#toolbarStyle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:toolbarStyle
*/
public static final int AppCompatTheme_toolbarStyle=106;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tooltipForegroundColor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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.tradeschool.bhaskarsabnis.BlueshoreFinancial:tooltipForegroundColor
*/
public static final int AppCompatTheme_tooltipForegroundColor=107;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tooltipFrameBackground}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tooltipFrameBackground
*/
public static final int AppCompatTheme_tooltipFrameBackground=108;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#viewInflaterClass}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:viewInflaterClass
*/
public static final int AppCompatTheme_viewInflaterClass=109;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowActionBar}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowActionBar
*/
public static final int AppCompatTheme_windowActionBar=110;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowActionBarOverlay}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowActionBarOverlay
*/
public static final int AppCompatTheme_windowActionBarOverlay=111;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowActionModeOverlay}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowActionModeOverlay
*/
public static final int AppCompatTheme_windowActionModeOverlay=112;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowFixedHeightMajor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedHeightMajor
*/
public static final int AppCompatTheme_windowFixedHeightMajor=113;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowFixedHeightMinor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedHeightMinor
*/
public static final int AppCompatTheme_windowFixedHeightMinor=114;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowFixedWidthMajor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedWidthMajor
*/
public static final int AppCompatTheme_windowFixedWidthMajor=115;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowFixedWidthMinor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowFixedWidthMinor
*/
public static final int AppCompatTheme_windowFixedWidthMinor=116;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowMinWidthMajor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowMinWidthMajor
*/
public static final int AppCompatTheme_windowMinWidthMajor=117;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowMinWidthMinor}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowMinWidthMinor
*/
public static final int AppCompatTheme_windowMinWidthMinor=118;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#windowNoTitle}
* attribute's value can be found in the {@link #AppCompatTheme} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:windowNoTitle
*/
public static final int AppCompatTheme_windowNoTitle=119;
/**
* Attributes that can be used with a BottomNavigationView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #BottomNavigationView_elevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #BottomNavigationView_itemBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #BottomNavigationView_itemIconTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemIconTint}</code></td><td></td></tr>
* <tr><td><code>{@link #BottomNavigationView_itemTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemTextColor}</code></td><td></td></tr>
* <tr><td><code>{@link #BottomNavigationView_menu com.tradeschool.bhaskarsabnis.BlueshoreFinancial:menu}</code></td><td></td></tr>
* </table>
* @see #BottomNavigationView_elevation
* @see #BottomNavigationView_itemBackground
* @see #BottomNavigationView_itemIconTint
* @see #BottomNavigationView_itemTextColor
* @see #BottomNavigationView_menu
*/
public static final int[] BottomNavigationView={
0x7f030093, 0x7f0300c7, 0x7f0300c8, 0x7f0300cb,
0x7f030125
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#elevation}
* attribute's value can be found in the {@link #BottomNavigationView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation
*/
public static final int BottomNavigationView_elevation=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemBackground}
* attribute's value can be found in the {@link #BottomNavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemBackground
*/
public static final int BottomNavigationView_itemBackground=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemIconTint}
* attribute's value can be found in the {@link #BottomNavigationView} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemIconTint
*/
public static final int BottomNavigationView_itemIconTint=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemTextColor}
* attribute's value can be found in the {@link #BottomNavigationView} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemTextColor
*/
public static final int BottomNavigationView_itemTextColor=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#menu}
* attribute's value can be found in the {@link #BottomNavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:menu
*/
public static final int BottomNavigationView_menu=4;
/**
* Attributes that can be used with a BottomSheetBehavior_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_hideable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_hideable}</code></td><td></td></tr>
* <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_peekHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_peekHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #BottomSheetBehavior_Layout_behavior_skipCollapsed com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_skipCollapsed}</code></td><td></td></tr>
* </table>
* @see #BottomSheetBehavior_Layout_behavior_hideable
* @see #BottomSheetBehavior_Layout_behavior_peekHeight
* @see #BottomSheetBehavior_Layout_behavior_skipCollapsed
*/
public static final int[] BottomSheetBehavior_Layout={
0x7f03003a, 0x7f03003c, 0x7f03003d
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#behavior_hideable}
* attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_hideable
*/
public static final int BottomSheetBehavior_Layout_behavior_hideable=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#behavior_peekHeight}
* attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>ffffffff</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_peekHeight
*/
public static final int BottomSheetBehavior_Layout_behavior_peekHeight=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#behavior_skipCollapsed}
* attribute's value can be found in the {@link #BottomSheetBehavior_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_skipCollapsed
*/
public static final int BottomSheetBehavior_Layout_behavior_skipCollapsed=2;
/**
* Attributes that can be used with a ButtonBarLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ButtonBarLayout_allowStacking com.tradeschool.bhaskarsabnis.BlueshoreFinancial:allowStacking}</code></td><td></td></tr>
* </table>
* @see #ButtonBarLayout_allowStacking
*/
public static final int[] ButtonBarLayout={
0x7f030026
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#allowStacking}
* attribute's value can be found in the {@link #ButtonBarLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:allowStacking
*/
public static final int ButtonBarLayout_allowStacking=0;
/**
* Attributes that can be used with a CardView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #CardView_android_minWidth android:minWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_android_minHeight android:minHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_cardBackgroundColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardBackgroundColor}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_cardCornerRadius com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardCornerRadius}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_cardElevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardElevation}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_cardMaxElevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardMaxElevation}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_cardPreventCornerOverlap com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardPreventCornerOverlap}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_cardUseCompatPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardUseCompatPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_contentPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_contentPaddingBottom com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_contentPaddingLeft com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_contentPaddingRight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingRight}</code></td><td></td></tr>
* <tr><td><code>{@link #CardView_contentPaddingTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingTop}</code></td><td></td></tr>
* </table>
* @see #CardView_android_minWidth
* @see #CardView_android_minHeight
* @see #CardView_cardBackgroundColor
* @see #CardView_cardCornerRadius
* @see #CardView_cardElevation
* @see #CardView_cardMaxElevation
* @see #CardView_cardPreventCornerOverlap
* @see #CardView_cardUseCompatPadding
* @see #CardView_contentPadding
* @see #CardView_contentPaddingBottom
* @see #CardView_contentPaddingLeft
* @see #CardView_contentPaddingRight
* @see #CardView_contentPaddingTop
*/
public static final int[] CardView={
0x0101013f, 0x01010140, 0x7f03004f, 0x7f030050,
0x7f030051, 0x7f030052, 0x7f030053, 0x7f030054,
0x7f030077, 0x7f030078, 0x7f030079, 0x7f03007a,
0x7f03007b
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#minWidth}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minWidth
*/
public static final int CardView_android_minWidth=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#minHeight}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minHeight
*/
public static final int CardView_android_minHeight=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#cardBackgroundColor}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardBackgroundColor
*/
public static final int CardView_cardBackgroundColor=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#cardCornerRadius}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardCornerRadius
*/
public static final int CardView_cardCornerRadius=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#cardElevation}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardElevation
*/
public static final int CardView_cardElevation=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#cardMaxElevation}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardMaxElevation
*/
public static final int CardView_cardMaxElevation=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#cardPreventCornerOverlap}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardPreventCornerOverlap
*/
public static final int CardView_cardPreventCornerOverlap=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#cardUseCompatPadding}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:cardUseCompatPadding
*/
public static final int CardView_cardUseCompatPadding=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentPadding}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPadding
*/
public static final int CardView_contentPadding=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentPaddingBottom}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingBottom
*/
public static final int CardView_contentPaddingBottom=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentPaddingLeft}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingLeft
*/
public static final int CardView_contentPaddingLeft=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentPaddingRight}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingRight
*/
public static final int CardView_contentPaddingRight=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentPaddingTop}
* attribute's value can be found in the {@link #CardView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentPaddingTop
*/
public static final int CardView_contentPaddingTop=12;
/**
* Attributes that can be used with a CollapsingToolbarLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleGravity com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapsedTitleGravity}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_collapsedTitleTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapsedTitleTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_contentScrim com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentScrim}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleGravity com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleGravity}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMargin com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMargin}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginBottom com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginStart}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleMarginTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginTop}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_expandedTitleTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_scrimAnimationDuration com.tradeschool.bhaskarsabnis.BlueshoreFinancial:scrimAnimationDuration}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_scrimVisibleHeightTrigger com.tradeschool.bhaskarsabnis.BlueshoreFinancial:scrimVisibleHeightTrigger}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_statusBarScrim com.tradeschool.bhaskarsabnis.BlueshoreFinancial:statusBarScrim}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_title com.tradeschool.bhaskarsabnis.BlueshoreFinancial:title}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_titleEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_toolbarId com.tradeschool.bhaskarsabnis.BlueshoreFinancial:toolbarId}</code></td><td></td></tr>
* </table>
* @see #CollapsingToolbarLayout_collapsedTitleGravity
* @see #CollapsingToolbarLayout_collapsedTitleTextAppearance
* @see #CollapsingToolbarLayout_contentScrim
* @see #CollapsingToolbarLayout_expandedTitleGravity
* @see #CollapsingToolbarLayout_expandedTitleMargin
* @see #CollapsingToolbarLayout_expandedTitleMarginBottom
* @see #CollapsingToolbarLayout_expandedTitleMarginEnd
* @see #CollapsingToolbarLayout_expandedTitleMarginStart
* @see #CollapsingToolbarLayout_expandedTitleMarginTop
* @see #CollapsingToolbarLayout_expandedTitleTextAppearance
* @see #CollapsingToolbarLayout_scrimAnimationDuration
* @see #CollapsingToolbarLayout_scrimVisibleHeightTrigger
* @see #CollapsingToolbarLayout_statusBarScrim
* @see #CollapsingToolbarLayout_title
* @see #CollapsingToolbarLayout_titleEnabled
* @see #CollapsingToolbarLayout_toolbarId
*/
public static final int[] CollapsingToolbarLayout={
0x7f03005e, 0x7f03005f, 0x7f03007c, 0x7f030099,
0x7f03009a, 0x7f03009b, 0x7f03009c, 0x7f03009d,
0x7f03009e, 0x7f03009f, 0x7f030149, 0x7f03014a,
0x7f030161, 0x7f030193, 0x7f030194, 0x7f03019e
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#collapsedTitleGravity}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapsedTitleGravity
*/
public static final int CollapsingToolbarLayout_collapsedTitleGravity=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#collapsedTitleTextAppearance}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapsedTitleTextAppearance
*/
public static final int CollapsingToolbarLayout_collapsedTitleTextAppearance=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentScrim}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentScrim
*/
public static final int CollapsingToolbarLayout_contentScrim=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleGravity}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleGravity
*/
public static final int CollapsingToolbarLayout_expandedTitleGravity=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleMargin}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMargin
*/
public static final int CollapsingToolbarLayout_expandedTitleMargin=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleMarginBottom}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginBottom
*/
public static final int CollapsingToolbarLayout_expandedTitleMarginBottom=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleMarginEnd}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginEnd
*/
public static final int CollapsingToolbarLayout_expandedTitleMarginEnd=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleMarginStart}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginStart
*/
public static final int CollapsingToolbarLayout_expandedTitleMarginStart=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleMarginTop}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleMarginTop
*/
public static final int CollapsingToolbarLayout_expandedTitleMarginTop=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#expandedTitleTextAppearance}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:expandedTitleTextAppearance
*/
public static final int CollapsingToolbarLayout_expandedTitleTextAppearance=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#scrimAnimationDuration}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:scrimAnimationDuration
*/
public static final int CollapsingToolbarLayout_scrimAnimationDuration=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#scrimVisibleHeightTrigger}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:scrimVisibleHeightTrigger
*/
public static final int CollapsingToolbarLayout_scrimVisibleHeightTrigger=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#statusBarScrim}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:statusBarScrim
*/
public static final int CollapsingToolbarLayout_statusBarScrim=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#title}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:title
*/
public static final int CollapsingToolbarLayout_title=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleEnabled}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleEnabled
*/
public static final int CollapsingToolbarLayout_titleEnabled=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#toolbarId}
* attribute's value can be found in the {@link #CollapsingToolbarLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:toolbarId
*/
public static final int CollapsingToolbarLayout_toolbarId=15;
/**
* Attributes that can be used with a CollapsingToolbarLayout_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_collapseMode}</code></td><td></td></tr>
* <tr><td><code>{@link #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_collapseParallaxMultiplier}</code></td><td></td></tr>
* </table>
* @see #CollapsingToolbarLayout_Layout_layout_collapseMode
* @see #CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier
*/
public static final int[] CollapsingToolbarLayout_Layout={
0x7f0300d3, 0x7f0300d4
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_collapseMode}
* attribute's value can be found in the {@link #CollapsingToolbarLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>parallax</td><td>2</td><td></td></tr>
* <tr><td>pin</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_collapseMode
*/
public static final int CollapsingToolbarLayout_Layout_layout_collapseMode=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_collapseParallaxMultiplier}
* attribute's value can be found in the {@link #CollapsingToolbarLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_collapseParallaxMultiplier
*/
public static final int CollapsingToolbarLayout_Layout_layout_collapseParallaxMultiplier=1;
/**
* Attributes that can be used with a ColorStateListItem.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ColorStateListItem_android_color android:color}</code></td><td></td></tr>
* <tr><td><code>{@link #ColorStateListItem_android_alpha android:alpha}</code></td><td></td></tr>
* <tr><td><code>{@link #ColorStateListItem_alpha com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alpha}</code></td><td></td></tr>
* </table>
* @see #ColorStateListItem_android_color
* @see #ColorStateListItem_android_alpha
* @see #ColorStateListItem_alpha
*/
public static final int[] ColorStateListItem={
0x010101a5, 0x0101031f, 0x7f030027
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#color}
* attribute's value can be found in the {@link #ColorStateListItem} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:color
*/
public static final int ColorStateListItem_android_color=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#alpha}
* attribute's value can be found in the {@link #ColorStateListItem} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:alpha
*/
public static final int ColorStateListItem_android_alpha=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#alpha}
* attribute's value can be found in the {@link #ColorStateListItem} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alpha
*/
public static final int ColorStateListItem_alpha=2;
/**
* Attributes that can be used with a CompoundButton.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr>
* <tr><td><code>{@link #CompoundButton_buttonTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonTint}</code></td><td></td></tr>
* <tr><td><code>{@link #CompoundButton_buttonTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonTintMode}</code></td><td></td></tr>
* </table>
* @see #CompoundButton_android_button
* @see #CompoundButton_buttonTint
* @see #CompoundButton_buttonTintMode
*/
public static final int[] CompoundButton={
0x01010107, 0x7f03004d, 0x7f03004e
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#button}
* attribute's value can be found in the {@link #CompoundButton} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:button
*/
public static final int CompoundButton_android_button=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonTint}
* attribute's value can be found in the {@link #CompoundButton} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonTint
*/
public static final int CompoundButton_buttonTint=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonTintMode
*/
public static final int CompoundButton_buttonTintMode=2;
/**
* Attributes that can be used with a ConstraintLayout_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 #ConstraintLayout_Layout_android_orientation android:orientation}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_android_maxWidth android:maxWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_android_maxHeight android:maxHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_android_minWidth android:minWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_android_minHeight android:minHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_barrierAllowsGoneWidgets com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierAllowsGoneWidgets}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_barrierDirection com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierDirection}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_chainUseRtl com.tradeschool.bhaskarsabnis.BlueshoreFinancial:chainUseRtl}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_constraintSet com.tradeschool.bhaskarsabnis.BlueshoreFinancial:constraintSet}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_constraint_referenced_ids com.tradeschool.bhaskarsabnis.BlueshoreFinancial:constraint_referenced_ids}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constrainedHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constrainedWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintBaseline_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintBaseline_toBaselineOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_toBaselineOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintBottom_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintBottom_toBottomOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toBottomOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintBottom_toTopOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toTopOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintCircle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintCircleAngle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleAngle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintCircleRadius com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleRadius}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintDimensionRatio com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintDimensionRatio}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintEnd_toEndOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toEndOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintEnd_toStartOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toStartOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintGuide_begin com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_begin}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintGuide_end com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_end}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintGuide_percent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_percent}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHeight_default com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_default}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHeight_max com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_max}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHeight_min com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_min}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHeight_percent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_percent}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHorizontal_bias com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_bias}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHorizontal_chainStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_chainStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintHorizontal_weight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_weight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintLeft_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintLeft_toLeftOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toLeftOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintLeft_toRightOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toRightOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintRight_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintRight_toLeftOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toLeftOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintRight_toRightOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toRightOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintStart_toEndOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toEndOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintStart_toStartOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toStartOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintTop_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintTop_toBottomOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toBottomOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintTop_toTopOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toTopOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintVertical_bias com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_bias}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintVertical_chainStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_chainStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintVertical_weight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_weight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintWidth_default com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_default}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintWidth_max com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_max}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintWidth_min com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_min}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_constraintWidth_percent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_percent}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_editor_absoluteX com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteX}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_editor_absoluteY com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteY}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_goneMarginBottom com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_goneMarginEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_goneMarginLeft com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_goneMarginRight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginRight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_goneMarginStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginStart}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_goneMarginTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginTop}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_Layout_layout_optimizationLevel com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_optimizationLevel}</code></td><td></td></tr>
* </table>
* @see #ConstraintLayout_Layout_android_orientation
* @see #ConstraintLayout_Layout_android_maxWidth
* @see #ConstraintLayout_Layout_android_maxHeight
* @see #ConstraintLayout_Layout_android_minWidth
* @see #ConstraintLayout_Layout_android_minHeight
* @see #ConstraintLayout_Layout_barrierAllowsGoneWidgets
* @see #ConstraintLayout_Layout_barrierDirection
* @see #ConstraintLayout_Layout_chainUseRtl
* @see #ConstraintLayout_Layout_constraintSet
* @see #ConstraintLayout_Layout_constraint_referenced_ids
* @see #ConstraintLayout_Layout_layout_constrainedHeight
* @see #ConstraintLayout_Layout_layout_constrainedWidth
* @see #ConstraintLayout_Layout_layout_constraintBaseline_creator
* @see #ConstraintLayout_Layout_layout_constraintBaseline_toBaselineOf
* @see #ConstraintLayout_Layout_layout_constraintBottom_creator
* @see #ConstraintLayout_Layout_layout_constraintBottom_toBottomOf
* @see #ConstraintLayout_Layout_layout_constraintBottom_toTopOf
* @see #ConstraintLayout_Layout_layout_constraintCircle
* @see #ConstraintLayout_Layout_layout_constraintCircleAngle
* @see #ConstraintLayout_Layout_layout_constraintCircleRadius
* @see #ConstraintLayout_Layout_layout_constraintDimensionRatio
* @see #ConstraintLayout_Layout_layout_constraintEnd_toEndOf
* @see #ConstraintLayout_Layout_layout_constraintEnd_toStartOf
* @see #ConstraintLayout_Layout_layout_constraintGuide_begin
* @see #ConstraintLayout_Layout_layout_constraintGuide_end
* @see #ConstraintLayout_Layout_layout_constraintGuide_percent
* @see #ConstraintLayout_Layout_layout_constraintHeight_default
* @see #ConstraintLayout_Layout_layout_constraintHeight_max
* @see #ConstraintLayout_Layout_layout_constraintHeight_min
* @see #ConstraintLayout_Layout_layout_constraintHeight_percent
* @see #ConstraintLayout_Layout_layout_constraintHorizontal_bias
* @see #ConstraintLayout_Layout_layout_constraintHorizontal_chainStyle
* @see #ConstraintLayout_Layout_layout_constraintHorizontal_weight
* @see #ConstraintLayout_Layout_layout_constraintLeft_creator
* @see #ConstraintLayout_Layout_layout_constraintLeft_toLeftOf
* @see #ConstraintLayout_Layout_layout_constraintLeft_toRightOf
* @see #ConstraintLayout_Layout_layout_constraintRight_creator
* @see #ConstraintLayout_Layout_layout_constraintRight_toLeftOf
* @see #ConstraintLayout_Layout_layout_constraintRight_toRightOf
* @see #ConstraintLayout_Layout_layout_constraintStart_toEndOf
* @see #ConstraintLayout_Layout_layout_constraintStart_toStartOf
* @see #ConstraintLayout_Layout_layout_constraintTop_creator
* @see #ConstraintLayout_Layout_layout_constraintTop_toBottomOf
* @see #ConstraintLayout_Layout_layout_constraintTop_toTopOf
* @see #ConstraintLayout_Layout_layout_constraintVertical_bias
* @see #ConstraintLayout_Layout_layout_constraintVertical_chainStyle
* @see #ConstraintLayout_Layout_layout_constraintVertical_weight
* @see #ConstraintLayout_Layout_layout_constraintWidth_default
* @see #ConstraintLayout_Layout_layout_constraintWidth_max
* @see #ConstraintLayout_Layout_layout_constraintWidth_min
* @see #ConstraintLayout_Layout_layout_constraintWidth_percent
* @see #ConstraintLayout_Layout_layout_editor_absoluteX
* @see #ConstraintLayout_Layout_layout_editor_absoluteY
* @see #ConstraintLayout_Layout_layout_goneMarginBottom
* @see #ConstraintLayout_Layout_layout_goneMarginEnd
* @see #ConstraintLayout_Layout_layout_goneMarginLeft
* @see #ConstraintLayout_Layout_layout_goneMarginRight
* @see #ConstraintLayout_Layout_layout_goneMarginStart
* @see #ConstraintLayout_Layout_layout_goneMarginTop
* @see #ConstraintLayout_Layout_layout_optimizationLevel
*/
public static final int[] ConstraintLayout_Layout={
0x010100c4, 0x0101011f, 0x01010120, 0x0101013f,
0x01010140, 0x7f030037, 0x7f030038, 0x7f030056,
0x7f03006d, 0x7f03006e, 0x7f0300d5, 0x7f0300d6,
0x7f0300d7, 0x7f0300d8, 0x7f0300d9, 0x7f0300da,
0x7f0300db, 0x7f0300dc, 0x7f0300dd, 0x7f0300de,
0x7f0300df, 0x7f0300e0, 0x7f0300e1, 0x7f0300e2,
0x7f0300e3, 0x7f0300e4, 0x7f0300e5, 0x7f0300e6,
0x7f0300e7, 0x7f0300e8, 0x7f0300e9, 0x7f0300ea,
0x7f0300eb, 0x7f0300ec, 0x7f0300ed, 0x7f0300ee,
0x7f0300ef, 0x7f0300f0, 0x7f0300f1, 0x7f0300f2,
0x7f0300f3, 0x7f0300f4, 0x7f0300f5, 0x7f0300f6,
0x7f0300f7, 0x7f0300f8, 0x7f0300f9, 0x7f0300fa,
0x7f0300fb, 0x7f0300fc, 0x7f0300fd, 0x7f0300ff,
0x7f030100, 0x7f030101, 0x7f030102, 0x7f030103,
0x7f030104, 0x7f030105, 0x7f030106, 0x7f030111
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#orientation}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>horizontal</td><td>0</td><td></td></tr>
* <tr><td>vertical</td><td>1</td><td></td></tr>
* </table>
*
* @attr name android:orientation
*/
public static final int ConstraintLayout_Layout_android_orientation=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxWidth}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxWidth
*/
public static final int ConstraintLayout_Layout_android_maxWidth=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxHeight}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxHeight
*/
public static final int ConstraintLayout_Layout_android_maxHeight=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#minWidth}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minWidth
*/
public static final int ConstraintLayout_Layout_android_minWidth=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#minHeight}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minHeight
*/
public static final int ConstraintLayout_Layout_android_minHeight=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#barrierAllowsGoneWidgets}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierAllowsGoneWidgets
*/
public static final int ConstraintLayout_Layout_barrierAllowsGoneWidgets=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#barrierDirection}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>3</td><td></td></tr>
* <tr><td>end</td><td>6</td><td></td></tr>
* <tr><td>left</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>1</td><td></td></tr>
* <tr><td>start</td><td>5</td><td></td></tr>
* <tr><td>top</td><td>2</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierDirection
*/
public static final int ConstraintLayout_Layout_barrierDirection=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#chainUseRtl}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:chainUseRtl
*/
public static final int ConstraintLayout_Layout_chainUseRtl=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#constraintSet}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:constraintSet
*/
public static final int ConstraintLayout_Layout_constraintSet=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#constraint_referenced_ids}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:constraint_referenced_ids
*/
public static final int ConstraintLayout_Layout_constraint_referenced_ids=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constrainedHeight}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedHeight
*/
public static final int ConstraintLayout_Layout_layout_constrainedHeight=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constrainedWidth}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedWidth
*/
public static final int ConstraintLayout_Layout_layout_constrainedWidth=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBaseline_creator}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_creator
*/
public static final int ConstraintLayout_Layout_layout_constraintBaseline_creator=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBaseline_toBaselineOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_toBaselineOf
*/
public static final int ConstraintLayout_Layout_layout_constraintBaseline_toBaselineOf=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBottom_creator}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_creator
*/
public static final int ConstraintLayout_Layout_layout_constraintBottom_creator=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBottom_toBottomOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toBottomOf
*/
public static final int ConstraintLayout_Layout_layout_constraintBottom_toBottomOf=15;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBottom_toTopOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toTopOf
*/
public static final int ConstraintLayout_Layout_layout_constraintBottom_toTopOf=16;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintCircle}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircle
*/
public static final int ConstraintLayout_Layout_layout_constraintCircle=17;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintCircleAngle}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleAngle
*/
public static final int ConstraintLayout_Layout_layout_constraintCircleAngle=18;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintCircleRadius}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleRadius
*/
public static final int ConstraintLayout_Layout_layout_constraintCircleRadius=19;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintDimensionRatio}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintDimensionRatio
*/
public static final int ConstraintLayout_Layout_layout_constraintDimensionRatio=20;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintEnd_toEndOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toEndOf
*/
public static final int ConstraintLayout_Layout_layout_constraintEnd_toEndOf=21;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintEnd_toStartOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toStartOf
*/
public static final int ConstraintLayout_Layout_layout_constraintEnd_toStartOf=22;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintGuide_begin}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_begin
*/
public static final int ConstraintLayout_Layout_layout_constraintGuide_begin=23;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintGuide_end}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_end
*/
public static final int ConstraintLayout_Layout_layout_constraintGuide_end=24;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintGuide_percent}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_percent
*/
public static final int ConstraintLayout_Layout_layout_constraintGuide_percent=25;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_default}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>percent</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>wrap</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_default
*/
public static final int ConstraintLayout_Layout_layout_constraintHeight_default=26;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_max}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_max
*/
public static final int ConstraintLayout_Layout_layout_constraintHeight_max=27;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_min}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_min
*/
public static final int ConstraintLayout_Layout_layout_constraintHeight_min=28;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_percent}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_percent
*/
public static final int ConstraintLayout_Layout_layout_constraintHeight_percent=29;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHorizontal_bias}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_bias
*/
public static final int ConstraintLayout_Layout_layout_constraintHorizontal_bias=30;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHorizontal_chainStyle}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>packed</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>spread_inside</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_chainStyle
*/
public static final int ConstraintLayout_Layout_layout_constraintHorizontal_chainStyle=31;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHorizontal_weight}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_weight
*/
public static final int ConstraintLayout_Layout_layout_constraintHorizontal_weight=32;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintLeft_creator}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_creator
*/
public static final int ConstraintLayout_Layout_layout_constraintLeft_creator=33;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintLeft_toLeftOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toLeftOf
*/
public static final int ConstraintLayout_Layout_layout_constraintLeft_toLeftOf=34;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintLeft_toRightOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toRightOf
*/
public static final int ConstraintLayout_Layout_layout_constraintLeft_toRightOf=35;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintRight_creator}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_creator
*/
public static final int ConstraintLayout_Layout_layout_constraintRight_creator=36;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintRight_toLeftOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toLeftOf
*/
public static final int ConstraintLayout_Layout_layout_constraintRight_toLeftOf=37;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintRight_toRightOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toRightOf
*/
public static final int ConstraintLayout_Layout_layout_constraintRight_toRightOf=38;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintStart_toEndOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toEndOf
*/
public static final int ConstraintLayout_Layout_layout_constraintStart_toEndOf=39;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintStart_toStartOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toStartOf
*/
public static final int ConstraintLayout_Layout_layout_constraintStart_toStartOf=40;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintTop_creator}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_creator
*/
public static final int ConstraintLayout_Layout_layout_constraintTop_creator=41;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintTop_toBottomOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toBottomOf
*/
public static final int ConstraintLayout_Layout_layout_constraintTop_toBottomOf=42;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintTop_toTopOf}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toTopOf
*/
public static final int ConstraintLayout_Layout_layout_constraintTop_toTopOf=43;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintVertical_bias}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_bias
*/
public static final int ConstraintLayout_Layout_layout_constraintVertical_bias=44;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintVertical_chainStyle}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>packed</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>spread_inside</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_chainStyle
*/
public static final int ConstraintLayout_Layout_layout_constraintVertical_chainStyle=45;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintVertical_weight}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_weight
*/
public static final int ConstraintLayout_Layout_layout_constraintVertical_weight=46;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_default}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>percent</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>wrap</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_default
*/
public static final int ConstraintLayout_Layout_layout_constraintWidth_default=47;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_max}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_max
*/
public static final int ConstraintLayout_Layout_layout_constraintWidth_max=48;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_min}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_min
*/
public static final int ConstraintLayout_Layout_layout_constraintWidth_min=49;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_percent}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_percent
*/
public static final int ConstraintLayout_Layout_layout_constraintWidth_percent=50;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_editor_absoluteX}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteX
*/
public static final int ConstraintLayout_Layout_layout_editor_absoluteX=51;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_editor_absoluteY}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteY
*/
public static final int ConstraintLayout_Layout_layout_editor_absoluteY=52;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginBottom}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginBottom
*/
public static final int ConstraintLayout_Layout_layout_goneMarginBottom=53;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginEnd}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginEnd
*/
public static final int ConstraintLayout_Layout_layout_goneMarginEnd=54;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginLeft}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginLeft
*/
public static final int ConstraintLayout_Layout_layout_goneMarginLeft=55;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginRight}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginRight
*/
public static final int ConstraintLayout_Layout_layout_goneMarginRight=56;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginStart}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginStart
*/
public static final int ConstraintLayout_Layout_layout_goneMarginStart=57;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginTop}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginTop
*/
public static final int ConstraintLayout_Layout_layout_goneMarginTop=58;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_optimizationLevel}
* attribute's value can be found in the {@link #ConstraintLayout_Layout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>barrier</td><td>2</td><td></td></tr>
* <tr><td>chains</td><td>4</td><td></td></tr>
* <tr><td>dimensions</td><td>8</td><td></td></tr>
* <tr><td>direct</td><td>1</td><td>direct, barriers, chains</td></tr>
* <tr><td>groups</td><td>20</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>standard</td><td>7</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_optimizationLevel
*/
public static final int ConstraintLayout_Layout_layout_optimizationLevel=59;
/**
* Attributes that can be used with a ConstraintLayout_placeholder.
* <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 #ConstraintLayout_placeholder_content com.tradeschool.bhaskarsabnis.BlueshoreFinancial:content}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintLayout_placeholder_emptyVisibility com.tradeschool.bhaskarsabnis.BlueshoreFinancial:emptyVisibility}</code></td><td></td></tr>
* </table>
* @see #ConstraintLayout_placeholder_content
* @see #ConstraintLayout_placeholder_emptyVisibility
*/
public static final int[] ConstraintLayout_placeholder={
0x7f03006f, 0x7f030094
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#content}
* attribute's value can be found in the {@link #ConstraintLayout_placeholder} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:content
*/
public static final int ConstraintLayout_placeholder_content=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#emptyVisibility}
* attribute's value can be found in the {@link #ConstraintLayout_placeholder} 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>gone</td><td>0</td><td></td></tr>
* <tr><td>invisible</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:emptyVisibility
*/
public static final int ConstraintLayout_placeholder_emptyVisibility=1;
/**
* Attributes that can be used with a ConstraintSet.
* <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 #ConstraintSet_android_orientation android:orientation}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_id android:id}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_visibility android:visibility}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_width android:layout_width}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_height android:layout_height}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_marginLeft android:layout_marginLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_marginTop android:layout_marginTop}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_marginRight android:layout_marginRight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_marginBottom android:layout_marginBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_maxWidth android:maxWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_maxHeight android:maxHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_minWidth android:minWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_minHeight android:minHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_alpha android:alpha}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_transformPivotX android:transformPivotX}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_transformPivotY android:transformPivotY}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_translationX android:translationX}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_translationY android:translationY}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_scaleX android:scaleX}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_scaleY android:scaleY}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_rotation android:rotation}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_rotationX android:rotationX}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_rotationY android:rotationY}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_marginStart android:layout_marginStart}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_layout_marginEnd android:layout_marginEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_translationZ android:translationZ}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_android_elevation android:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_barrierAllowsGoneWidgets com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierAllowsGoneWidgets}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_barrierDirection com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierDirection}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_chainUseRtl com.tradeschool.bhaskarsabnis.BlueshoreFinancial:chainUseRtl}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_constraint_referenced_ids com.tradeschool.bhaskarsabnis.BlueshoreFinancial:constraint_referenced_ids}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constrainedHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constrainedWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintBaseline_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintBaseline_toBaselineOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_toBaselineOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintBottom_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintBottom_toBottomOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toBottomOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintBottom_toTopOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toTopOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintCircle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintCircleAngle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleAngle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintCircleRadius com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleRadius}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintDimensionRatio com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintDimensionRatio}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintEnd_toEndOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toEndOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintEnd_toStartOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toStartOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintGuide_begin com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_begin}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintGuide_end com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_end}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintGuide_percent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_percent}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHeight_default com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_default}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHeight_max com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_max}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHeight_min com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_min}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHeight_percent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_percent}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHorizontal_bias com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_bias}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHorizontal_chainStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_chainStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintHorizontal_weight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_weight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintLeft_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintLeft_toLeftOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toLeftOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintLeft_toRightOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toRightOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintRight_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintRight_toLeftOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toLeftOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintRight_toRightOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toRightOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintStart_toEndOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toEndOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintStart_toStartOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toStartOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintTop_creator com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_creator}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintTop_toBottomOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toBottomOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintTop_toTopOf com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toTopOf}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintVertical_bias com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_bias}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintVertical_chainStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_chainStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintVertical_weight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_weight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintWidth_default com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_default}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintWidth_max com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_max}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintWidth_min com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_min}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_constraintWidth_percent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_percent}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_editor_absoluteX com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteX}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_editor_absoluteY com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteY}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_goneMarginBottom com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_goneMarginEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_goneMarginLeft com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_goneMarginRight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginRight}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_goneMarginStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginStart}</code></td><td></td></tr>
* <tr><td><code>{@link #ConstraintSet_layout_goneMarginTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginTop}</code></td><td></td></tr>
* </table>
* @see #ConstraintSet_android_orientation
* @see #ConstraintSet_android_id
* @see #ConstraintSet_android_visibility
* @see #ConstraintSet_android_layout_width
* @see #ConstraintSet_android_layout_height
* @see #ConstraintSet_android_layout_marginLeft
* @see #ConstraintSet_android_layout_marginTop
* @see #ConstraintSet_android_layout_marginRight
* @see #ConstraintSet_android_layout_marginBottom
* @see #ConstraintSet_android_maxWidth
* @see #ConstraintSet_android_maxHeight
* @see #ConstraintSet_android_minWidth
* @see #ConstraintSet_android_minHeight
* @see #ConstraintSet_android_alpha
* @see #ConstraintSet_android_transformPivotX
* @see #ConstraintSet_android_transformPivotY
* @see #ConstraintSet_android_translationX
* @see #ConstraintSet_android_translationY
* @see #ConstraintSet_android_scaleX
* @see #ConstraintSet_android_scaleY
* @see #ConstraintSet_android_rotation
* @see #ConstraintSet_android_rotationX
* @see #ConstraintSet_android_rotationY
* @see #ConstraintSet_android_layout_marginStart
* @see #ConstraintSet_android_layout_marginEnd
* @see #ConstraintSet_android_translationZ
* @see #ConstraintSet_android_elevation
* @see #ConstraintSet_barrierAllowsGoneWidgets
* @see #ConstraintSet_barrierDirection
* @see #ConstraintSet_chainUseRtl
* @see #ConstraintSet_constraint_referenced_ids
* @see #ConstraintSet_layout_constrainedHeight
* @see #ConstraintSet_layout_constrainedWidth
* @see #ConstraintSet_layout_constraintBaseline_creator
* @see #ConstraintSet_layout_constraintBaseline_toBaselineOf
* @see #ConstraintSet_layout_constraintBottom_creator
* @see #ConstraintSet_layout_constraintBottom_toBottomOf
* @see #ConstraintSet_layout_constraintBottom_toTopOf
* @see #ConstraintSet_layout_constraintCircle
* @see #ConstraintSet_layout_constraintCircleAngle
* @see #ConstraintSet_layout_constraintCircleRadius
* @see #ConstraintSet_layout_constraintDimensionRatio
* @see #ConstraintSet_layout_constraintEnd_toEndOf
* @see #ConstraintSet_layout_constraintEnd_toStartOf
* @see #ConstraintSet_layout_constraintGuide_begin
* @see #ConstraintSet_layout_constraintGuide_end
* @see #ConstraintSet_layout_constraintGuide_percent
* @see #ConstraintSet_layout_constraintHeight_default
* @see #ConstraintSet_layout_constraintHeight_max
* @see #ConstraintSet_layout_constraintHeight_min
* @see #ConstraintSet_layout_constraintHeight_percent
* @see #ConstraintSet_layout_constraintHorizontal_bias
* @see #ConstraintSet_layout_constraintHorizontal_chainStyle
* @see #ConstraintSet_layout_constraintHorizontal_weight
* @see #ConstraintSet_layout_constraintLeft_creator
* @see #ConstraintSet_layout_constraintLeft_toLeftOf
* @see #ConstraintSet_layout_constraintLeft_toRightOf
* @see #ConstraintSet_layout_constraintRight_creator
* @see #ConstraintSet_layout_constraintRight_toLeftOf
* @see #ConstraintSet_layout_constraintRight_toRightOf
* @see #ConstraintSet_layout_constraintStart_toEndOf
* @see #ConstraintSet_layout_constraintStart_toStartOf
* @see #ConstraintSet_layout_constraintTop_creator
* @see #ConstraintSet_layout_constraintTop_toBottomOf
* @see #ConstraintSet_layout_constraintTop_toTopOf
* @see #ConstraintSet_layout_constraintVertical_bias
* @see #ConstraintSet_layout_constraintVertical_chainStyle
* @see #ConstraintSet_layout_constraintVertical_weight
* @see #ConstraintSet_layout_constraintWidth_default
* @see #ConstraintSet_layout_constraintWidth_max
* @see #ConstraintSet_layout_constraintWidth_min
* @see #ConstraintSet_layout_constraintWidth_percent
* @see #ConstraintSet_layout_editor_absoluteX
* @see #ConstraintSet_layout_editor_absoluteY
* @see #ConstraintSet_layout_goneMarginBottom
* @see #ConstraintSet_layout_goneMarginEnd
* @see #ConstraintSet_layout_goneMarginLeft
* @see #ConstraintSet_layout_goneMarginRight
* @see #ConstraintSet_layout_goneMarginStart
* @see #ConstraintSet_layout_goneMarginTop
*/
public static final int[] ConstraintSet={
0x010100c4, 0x010100d0, 0x010100dc, 0x010100f4,
0x010100f5, 0x010100f7, 0x010100f8, 0x010100f9,
0x010100fa, 0x0101011f, 0x01010120, 0x0101013f,
0x01010140, 0x0101031f, 0x01010320, 0x01010321,
0x01010322, 0x01010323, 0x01010324, 0x01010325,
0x01010326, 0x01010327, 0x01010328, 0x010103b5,
0x010103b6, 0x010103fa, 0x01010440, 0x7f030037,
0x7f030038, 0x7f030056, 0x7f03006e, 0x7f0300d5,
0x7f0300d6, 0x7f0300d7, 0x7f0300d8, 0x7f0300d9,
0x7f0300da, 0x7f0300db, 0x7f0300dc, 0x7f0300dd,
0x7f0300de, 0x7f0300df, 0x7f0300e0, 0x7f0300e1,
0x7f0300e2, 0x7f0300e3, 0x7f0300e4, 0x7f0300e5,
0x7f0300e6, 0x7f0300e7, 0x7f0300e8, 0x7f0300e9,
0x7f0300ea, 0x7f0300eb, 0x7f0300ec, 0x7f0300ed,
0x7f0300ee, 0x7f0300ef, 0x7f0300f0, 0x7f0300f1,
0x7f0300f2, 0x7f0300f3, 0x7f0300f4, 0x7f0300f5,
0x7f0300f6, 0x7f0300f7, 0x7f0300f8, 0x7f0300f9,
0x7f0300fa, 0x7f0300fb, 0x7f0300fc, 0x7f0300fd,
0x7f0300ff, 0x7f030100, 0x7f030101, 0x7f030102,
0x7f030103, 0x7f030104, 0x7f030105, 0x7f030106
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#orientation}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>horizontal</td><td>0</td><td></td></tr>
* <tr><td>vertical</td><td>1</td><td></td></tr>
* </table>
*
* @attr name android:orientation
*/
public static final int ConstraintSet_android_orientation=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#id}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:id
*/
public static final int ConstraintSet_android_id=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#visibility}
* attribute's value can be found in the {@link #ConstraintSet} 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>gone</td><td>2</td><td></td></tr>
* <tr><td>invisible</td><td>1</td><td></td></tr>
* <tr><td>visible</td><td>0</td><td></td></tr>
* </table>
*
* @attr name android:visibility
*/
public static final int ConstraintSet_android_visibility=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_width}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>match_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name android:layout_width
*/
public static final int ConstraintSet_android_layout_width=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_height}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>match_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name android:layout_height
*/
public static final int ConstraintSet_android_layout_height=4;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_marginLeft}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:layout_marginLeft
*/
public static final int ConstraintSet_android_layout_marginLeft=5;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_marginTop}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:layout_marginTop
*/
public static final int ConstraintSet_android_layout_marginTop=6;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_marginRight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:layout_marginRight
*/
public static final int ConstraintSet_android_layout_marginRight=7;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_marginBottom}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:layout_marginBottom
*/
public static final int ConstraintSet_android_layout_marginBottom=8;
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxWidth}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxWidth
*/
public static final int ConstraintSet_android_maxWidth=9;
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxHeight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxHeight
*/
public static final int ConstraintSet_android_maxHeight=10;
/**
* <p>This symbol is the offset where the {@link android.R.attr#minWidth}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minWidth
*/
public static final int ConstraintSet_android_minWidth=11;
/**
* <p>This symbol is the offset where the {@link android.R.attr#minHeight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minHeight
*/
public static final int ConstraintSet_android_minHeight=12;
/**
* <p>This symbol is the offset where the {@link android.R.attr#alpha}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:alpha
*/
public static final int ConstraintSet_android_alpha=13;
/**
* <p>This symbol is the offset where the {@link android.R.attr#transformPivotX}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:transformPivotX
*/
public static final int ConstraintSet_android_transformPivotX=14;
/**
* <p>This symbol is the offset where the {@link android.R.attr#transformPivotY}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:transformPivotY
*/
public static final int ConstraintSet_android_transformPivotY=15;
/**
* <p>This symbol is the offset where the {@link android.R.attr#translationX}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:translationX
*/
public static final int ConstraintSet_android_translationX=16;
/**
* <p>This symbol is the offset where the {@link android.R.attr#translationY}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:translationY
*/
public static final int ConstraintSet_android_translationY=17;
/**
* <p>This symbol is the offset where the {@link android.R.attr#scaleX}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:scaleX
*/
public static final int ConstraintSet_android_scaleX=18;
/**
* <p>This symbol is the offset where the {@link android.R.attr#scaleY}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:scaleY
*/
public static final int ConstraintSet_android_scaleY=19;
/**
* <p>This symbol is the offset where the {@link android.R.attr#rotation}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:rotation
*/
public static final int ConstraintSet_android_rotation=20;
/**
* <p>This symbol is the offset where the {@link android.R.attr#rotationX}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:rotationX
*/
public static final int ConstraintSet_android_rotationX=21;
/**
* <p>This symbol is the offset where the {@link android.R.attr#rotationY}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:rotationY
*/
public static final int ConstraintSet_android_rotationY=22;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_marginStart}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:layout_marginStart
*/
public static final int ConstraintSet_android_layout_marginStart=23;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_marginEnd}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:layout_marginEnd
*/
public static final int ConstraintSet_android_layout_marginEnd=24;
/**
* <p>This symbol is the offset where the {@link android.R.attr#translationZ}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:translationZ
*/
public static final int ConstraintSet_android_translationZ=25;
/**
* <p>This symbol is the offset where the {@link android.R.attr#elevation}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:elevation
*/
public static final int ConstraintSet_android_elevation=26;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#barrierAllowsGoneWidgets}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierAllowsGoneWidgets
*/
public static final int ConstraintSet_barrierAllowsGoneWidgets=27;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#barrierDirection}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>3</td><td></td></tr>
* <tr><td>end</td><td>6</td><td></td></tr>
* <tr><td>left</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>1</td><td></td></tr>
* <tr><td>start</td><td>5</td><td></td></tr>
* <tr><td>top</td><td>2</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barrierDirection
*/
public static final int ConstraintSet_barrierDirection=28;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#chainUseRtl}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:chainUseRtl
*/
public static final int ConstraintSet_chainUseRtl=29;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#constraint_referenced_ids}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:constraint_referenced_ids
*/
public static final int ConstraintSet_constraint_referenced_ids=30;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constrainedHeight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedHeight
*/
public static final int ConstraintSet_layout_constrainedHeight=31;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constrainedWidth}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constrainedWidth
*/
public static final int ConstraintSet_layout_constrainedWidth=32;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBaseline_creator}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_creator
*/
public static final int ConstraintSet_layout_constraintBaseline_creator=33;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBaseline_toBaselineOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBaseline_toBaselineOf
*/
public static final int ConstraintSet_layout_constraintBaseline_toBaselineOf=34;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBottom_creator}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_creator
*/
public static final int ConstraintSet_layout_constraintBottom_creator=35;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBottom_toBottomOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toBottomOf
*/
public static final int ConstraintSet_layout_constraintBottom_toBottomOf=36;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintBottom_toTopOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintBottom_toTopOf
*/
public static final int ConstraintSet_layout_constraintBottom_toTopOf=37;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintCircle}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircle
*/
public static final int ConstraintSet_layout_constraintCircle=38;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintCircleAngle}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleAngle
*/
public static final int ConstraintSet_layout_constraintCircleAngle=39;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintCircleRadius}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintCircleRadius
*/
public static final int ConstraintSet_layout_constraintCircleRadius=40;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintDimensionRatio}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintDimensionRatio
*/
public static final int ConstraintSet_layout_constraintDimensionRatio=41;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintEnd_toEndOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toEndOf
*/
public static final int ConstraintSet_layout_constraintEnd_toEndOf=42;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintEnd_toStartOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintEnd_toStartOf
*/
public static final int ConstraintSet_layout_constraintEnd_toStartOf=43;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintGuide_begin}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_begin
*/
public static final int ConstraintSet_layout_constraintGuide_begin=44;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintGuide_end}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_end
*/
public static final int ConstraintSet_layout_constraintGuide_end=45;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintGuide_percent}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintGuide_percent
*/
public static final int ConstraintSet_layout_constraintGuide_percent=46;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_default}
* attribute's value can be found in the {@link #ConstraintSet} 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>percent</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>wrap</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_default
*/
public static final int ConstraintSet_layout_constraintHeight_default=47;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_max}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_max
*/
public static final int ConstraintSet_layout_constraintHeight_max=48;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_min}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_min
*/
public static final int ConstraintSet_layout_constraintHeight_min=49;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHeight_percent}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHeight_percent
*/
public static final int ConstraintSet_layout_constraintHeight_percent=50;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHorizontal_bias}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_bias
*/
public static final int ConstraintSet_layout_constraintHorizontal_bias=51;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHorizontal_chainStyle}
* attribute's value can be found in the {@link #ConstraintSet} 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>packed</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>spread_inside</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_chainStyle
*/
public static final int ConstraintSet_layout_constraintHorizontal_chainStyle=52;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintHorizontal_weight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintHorizontal_weight
*/
public static final int ConstraintSet_layout_constraintHorizontal_weight=53;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintLeft_creator}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_creator
*/
public static final int ConstraintSet_layout_constraintLeft_creator=54;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintLeft_toLeftOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toLeftOf
*/
public static final int ConstraintSet_layout_constraintLeft_toLeftOf=55;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintLeft_toRightOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintLeft_toRightOf
*/
public static final int ConstraintSet_layout_constraintLeft_toRightOf=56;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintRight_creator}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_creator
*/
public static final int ConstraintSet_layout_constraintRight_creator=57;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintRight_toLeftOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toLeftOf
*/
public static final int ConstraintSet_layout_constraintRight_toLeftOf=58;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintRight_toRightOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintRight_toRightOf
*/
public static final int ConstraintSet_layout_constraintRight_toRightOf=59;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintStart_toEndOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toEndOf
*/
public static final int ConstraintSet_layout_constraintStart_toEndOf=60;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintStart_toStartOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintStart_toStartOf
*/
public static final int ConstraintSet_layout_constraintStart_toStartOf=61;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintTop_creator}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_creator
*/
public static final int ConstraintSet_layout_constraintTop_creator=62;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintTop_toBottomOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toBottomOf
*/
public static final int ConstraintSet_layout_constraintTop_toBottomOf=63;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintTop_toTopOf}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>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>parent</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintTop_toTopOf
*/
public static final int ConstraintSet_layout_constraintTop_toTopOf=64;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintVertical_bias}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_bias
*/
public static final int ConstraintSet_layout_constraintVertical_bias=65;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintVertical_chainStyle}
* attribute's value can be found in the {@link #ConstraintSet} 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>packed</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>spread_inside</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_chainStyle
*/
public static final int ConstraintSet_layout_constraintVertical_chainStyle=66;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintVertical_weight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintVertical_weight
*/
public static final int ConstraintSet_layout_constraintVertical_weight=67;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_default}
* attribute's value can be found in the {@link #ConstraintSet} 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>percent</td><td>2</td><td></td></tr>
* <tr><td>spread</td><td>0</td><td></td></tr>
* <tr><td>wrap</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_default
*/
public static final int ConstraintSet_layout_constraintWidth_default=68;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_max}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_max
*/
public static final int ConstraintSet_layout_constraintWidth_max=69;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_min}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>wrap</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_min
*/
public static final int ConstraintSet_layout_constraintWidth_min=70;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_constraintWidth_percent}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_constraintWidth_percent
*/
public static final int ConstraintSet_layout_constraintWidth_percent=71;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_editor_absoluteX}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteX
*/
public static final int ConstraintSet_layout_editor_absoluteX=72;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_editor_absoluteY}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_editor_absoluteY
*/
public static final int ConstraintSet_layout_editor_absoluteY=73;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginBottom}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginBottom
*/
public static final int ConstraintSet_layout_goneMarginBottom=74;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginEnd}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginEnd
*/
public static final int ConstraintSet_layout_goneMarginEnd=75;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginLeft}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginLeft
*/
public static final int ConstraintSet_layout_goneMarginLeft=76;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginRight}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginRight
*/
public static final int ConstraintSet_layout_goneMarginRight=77;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginStart}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginStart
*/
public static final int ConstraintSet_layout_goneMarginStart=78;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_goneMarginTop}
* attribute's value can be found in the {@link #ConstraintSet} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_goneMarginTop
*/
public static final int ConstraintSet_layout_goneMarginTop=79;
/**
* Attributes that can be used with a CoordinatorLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #CoordinatorLayout_keylines com.tradeschool.bhaskarsabnis.BlueshoreFinancial:keylines}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_statusBarBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:statusBarBackground}</code></td><td></td></tr>
* </table>
* @see #CoordinatorLayout_keylines
* @see #CoordinatorLayout_statusBarBackground
*/
public static final int[] CoordinatorLayout={
0x7f0300cc, 0x7f030160
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#keylines}
* attribute's value can be found in the {@link #CoordinatorLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:keylines
*/
public static final int CoordinatorLayout_keylines=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#statusBarBackground}
* attribute's value can be found in the {@link #CoordinatorLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:statusBarBackground
*/
public static final int CoordinatorLayout_statusBarBackground=1;
/**
* Attributes that can be used with a CoordinatorLayout_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_anchor}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchorGravity com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_anchorGravity}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_layout_behavior com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_behavior}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_layout_dodgeInsetEdges com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_dodgeInsetEdges}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_layout_insetEdge com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_insetEdge}</code></td><td></td></tr>
* <tr><td><code>{@link #CoordinatorLayout_Layout_layout_keyline com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_keyline}</code></td><td></td></tr>
* </table>
* @see #CoordinatorLayout_Layout_android_layout_gravity
* @see #CoordinatorLayout_Layout_layout_anchor
* @see #CoordinatorLayout_Layout_layout_anchorGravity
* @see #CoordinatorLayout_Layout_layout_behavior
* @see #CoordinatorLayout_Layout_layout_dodgeInsetEdges
* @see #CoordinatorLayout_Layout_layout_insetEdge
* @see #CoordinatorLayout_Layout_layout_keyline
*/
public static final int[] CoordinatorLayout_Layout={
0x010100b3, 0x7f0300cf, 0x7f0300d0, 0x7f0300d2,
0x7f0300fe, 0x7f030108, 0x7f030109
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name android:layout_gravity
*/
public static final int CoordinatorLayout_Layout_android_layout_gravity=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_anchor}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_anchor
*/
public static final int CoordinatorLayout_Layout_layout_anchor=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_anchorGravity}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_anchorGravity
*/
public static final int CoordinatorLayout_Layout_layout_anchorGravity=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_behavior}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_behavior
*/
public static final int CoordinatorLayout_Layout_layout_behavior=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_dodgeInsetEdges}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>all</td><td>77</td><td></td></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_dodgeInsetEdges
*/
public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_insetEdge}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_insetEdge
*/
public static final int CoordinatorLayout_Layout_layout_insetEdge=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_keyline}
* attribute's value can be found in the {@link #CoordinatorLayout_Layout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_keyline
*/
public static final int CoordinatorLayout_Layout_layout_keyline=6;
/**
* Attributes that can be used with a DesignTheme.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #DesignTheme_bottomSheetDialogTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:bottomSheetDialogTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #DesignTheme_bottomSheetStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:bottomSheetStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #DesignTheme_textColorError com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textColorError}</code></td><td></td></tr>
* </table>
* @see #DesignTheme_bottomSheetDialogTheme
* @see #DesignTheme_bottomSheetStyle
* @see #DesignTheme_textColorError
*/
public static final int[] DesignTheme={
0x7f030040, 0x7f030041, 0x7f030187
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#bottomSheetDialogTheme}
* attribute's value can be found in the {@link #DesignTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:bottomSheetDialogTheme
*/
public static final int DesignTheme_bottomSheetDialogTheme=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#bottomSheetStyle}
* attribute's value can be found in the {@link #DesignTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:bottomSheetStyle
*/
public static final int DesignTheme_bottomSheetStyle=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#textColorError}
* attribute's value can be found in the {@link #DesignTheme} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <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.tradeschool.bhaskarsabnis.BlueshoreFinancial:textColorError
*/
public static final int DesignTheme_textColorError=2;
/**
* Attributes that can be used with a DrawerArrowToggle.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #DrawerArrowToggle_arrowHeadLength com.tradeschool.bhaskarsabnis.BlueshoreFinancial:arrowHeadLength}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength com.tradeschool.bhaskarsabnis.BlueshoreFinancial:arrowShaftLength}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_barLength com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barLength}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_color com.tradeschool.bhaskarsabnis.BlueshoreFinancial:color}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_drawableSize com.tradeschool.bhaskarsabnis.BlueshoreFinancial:drawableSize}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars com.tradeschool.bhaskarsabnis.BlueshoreFinancial:gapBetweenBars}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_spinBars com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spinBars}</code></td><td></td></tr>
* <tr><td><code>{@link #DrawerArrowToggle_thickness com.tradeschool.bhaskarsabnis.BlueshoreFinancial: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={
0x7f030029, 0x7f03002a, 0x7f030036, 0x7f030060,
0x7f03008c, 0x7f0300b2, 0x7f030157, 0x7f03018a
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#arrowHeadLength}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:arrowHeadLength
*/
public static final int DrawerArrowToggle_arrowHeadLength=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#arrowShaftLength}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:arrowShaftLength
*/
public static final int DrawerArrowToggle_arrowShaftLength=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#barLength}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:barLength
*/
public static final int DrawerArrowToggle_barLength=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#color}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:color
*/
public static final int DrawerArrowToggle_color=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#drawableSize}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:drawableSize
*/
public static final int DrawerArrowToggle_drawableSize=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#gapBetweenBars}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:gapBetweenBars
*/
public static final int DrawerArrowToggle_gapBetweenBars=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#spinBars}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spinBars
*/
public static final int DrawerArrowToggle_spinBars=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#thickness}
* attribute's value can be found in the {@link #DrawerArrowToggle} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thickness
*/
public static final int DrawerArrowToggle_thickness=7;
/**
* Attributes that can be used with a FloatingActionButton.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #FloatingActionButton_backgroundTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTint}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_backgroundTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTintMode}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_borderWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:borderWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_elevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_fabCustomSize com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fabCustomSize}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_fabSize com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fabSize}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_pressedTranslationZ com.tradeschool.bhaskarsabnis.BlueshoreFinancial:pressedTranslationZ}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_rippleColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:rippleColor}</code></td><td></td></tr>
* <tr><td><code>{@link #FloatingActionButton_useCompatPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:useCompatPadding}</code></td><td></td></tr>
* </table>
* @see #FloatingActionButton_backgroundTint
* @see #FloatingActionButton_backgroundTintMode
* @see #FloatingActionButton_borderWidth
* @see #FloatingActionButton_elevation
* @see #FloatingActionButton_fabCustomSize
* @see #FloatingActionButton_fabSize
* @see #FloatingActionButton_pressedTranslationZ
* @see #FloatingActionButton_rippleColor
* @see #FloatingActionButton_useCompatPadding
*/
public static final int[] FloatingActionButton={
0x7f030034, 0x7f030035, 0x7f03003e, 0x7f030093,
0x7f0300a0, 0x7f0300a1, 0x7f03013d, 0x7f030147,
0x7f0301a7
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#backgroundTint}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTint
*/
public static final int FloatingActionButton_backgroundTint=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#backgroundTintMode}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTintMode
*/
public static final int FloatingActionButton_backgroundTintMode=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#borderWidth}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:borderWidth
*/
public static final int FloatingActionButton_borderWidth=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#elevation}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation
*/
public static final int FloatingActionButton_elevation=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fabCustomSize}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fabCustomSize
*/
public static final int FloatingActionButton_fabCustomSize=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fabSize}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>ffffffff</td><td></td></tr>
* <tr><td>mini</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fabSize
*/
public static final int FloatingActionButton_fabSize=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#pressedTranslationZ}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:pressedTranslationZ
*/
public static final int FloatingActionButton_pressedTranslationZ=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#rippleColor}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:rippleColor
*/
public static final int FloatingActionButton_rippleColor=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#useCompatPadding}
* attribute's value can be found in the {@link #FloatingActionButton} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:useCompatPadding
*/
public static final int FloatingActionButton_useCompatPadding=8;
/**
* Attributes that can be used with a FloatingActionButton_Behavior_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #FloatingActionButton_Behavior_Layout_behavior_autoHide com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_autoHide}</code></td><td></td></tr>
* </table>
* @see #FloatingActionButton_Behavior_Layout_behavior_autoHide
*/
public static final int[] FloatingActionButton_Behavior_Layout={
0x7f030039
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#behavior_autoHide}
* attribute's value can be found in the {@link #FloatingActionButton_Behavior_Layout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_autoHide
*/
public static final int FloatingActionButton_Behavior_Layout_behavior_autoHide=0;
/**
* Attributes that can be used with a FontFamily.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #FontFamily_fontProviderAuthority com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderAuthority}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamily_fontProviderCerts com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderCerts}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamily_fontProviderFetchStrategy com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderFetchStrategy}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamily_fontProviderFetchTimeout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderFetchTimeout}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamily_fontProviderPackage com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderPackage}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamily_fontProviderQuery com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderQuery}</code></td><td></td></tr>
* </table>
* @see #FontFamily_fontProviderAuthority
* @see #FontFamily_fontProviderCerts
* @see #FontFamily_fontProviderFetchStrategy
* @see #FontFamily_fontProviderFetchTimeout
* @see #FontFamily_fontProviderPackage
* @see #FontFamily_fontProviderQuery
*/
public static final int[] FontFamily={
0x7f0300a9, 0x7f0300aa, 0x7f0300ab, 0x7f0300ac,
0x7f0300ad, 0x7f0300ae
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontProviderAuthority}
* attribute's value can be found in the {@link #FontFamily} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderAuthority
*/
public static final int FontFamily_fontProviderAuthority=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontProviderCerts}
* attribute's value can be found in the {@link #FontFamily} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderCerts
*/
public static final int FontFamily_fontProviderCerts=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontProviderFetchStrategy}
* attribute's value can be found in the {@link #FontFamily} 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>async</td><td>1</td><td></td></tr>
* <tr><td>blocking</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderFetchStrategy
*/
public static final int FontFamily_fontProviderFetchStrategy=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontProviderFetchTimeout}
* attribute's value can be found in the {@link #FontFamily} array.
*
* <p>May be an integer value, such as "<code>100</code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>forever</td><td>ffffffff</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderFetchTimeout
*/
public static final int FontFamily_fontProviderFetchTimeout=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontProviderPackage}
* attribute's value can be found in the {@link #FontFamily} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderPackage
*/
public static final int FontFamily_fontProviderPackage=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontProviderQuery}
* attribute's value can be found in the {@link #FontFamily} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontProviderQuery
*/
public static final int FontFamily_fontProviderQuery=5;
/**
* Attributes that can be used with a FontFamilyFont.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #FontFamilyFont_android_font android:font}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamilyFont_android_fontWeight android:fontWeight}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamilyFont_android_fontStyle android:fontStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamilyFont_font com.tradeschool.bhaskarsabnis.BlueshoreFinancial:font}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamilyFont_fontStyle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #FontFamilyFont_fontWeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontWeight}</code></td><td></td></tr>
* </table>
* @see #FontFamilyFont_android_font
* @see #FontFamilyFont_android_fontWeight
* @see #FontFamilyFont_android_fontStyle
* @see #FontFamilyFont_font
* @see #FontFamilyFont_fontStyle
* @see #FontFamilyFont_fontWeight
*/
public static final int[] FontFamilyFont={
0x01010532, 0x01010533, 0x0101053f, 0x7f0300a7,
0x7f0300af, 0x7f0300b0
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#font}
* attribute's value can be found in the {@link #FontFamilyFont} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:font
*/
public static final int FontFamilyFont_android_font=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#fontWeight}
* attribute's value can be found in the {@link #FontFamilyFont} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name android:fontWeight
*/
public static final int FontFamilyFont_android_fontWeight=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#fontStyle}
* attribute's value can be found in the {@link #FontFamilyFont} 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>italic</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*
* @attr name android:fontStyle
*/
public static final int FontFamilyFont_android_fontStyle=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#font}
* attribute's value can be found in the {@link #FontFamilyFont} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:font
*/
public static final int FontFamilyFont_font=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontStyle}
* attribute's value can be found in the {@link #FontFamilyFont} 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>italic</td><td>1</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontStyle
*/
public static final int FontFamilyFont_fontStyle=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontWeight}
* attribute's value can be found in the {@link #FontFamilyFont} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontWeight
*/
public static final int FontFamilyFont_fontWeight=5;
/**
* Attributes that can be used with a ForegroundLinearLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ForegroundLinearLayout_android_foreground android:foreground}</code></td><td></td></tr>
* <tr><td><code>{@link #ForegroundLinearLayout_android_foregroundGravity android:foregroundGravity}</code></td><td></td></tr>
* <tr><td><code>{@link #ForegroundLinearLayout_foregroundInsidePadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:foregroundInsidePadding}</code></td><td></td></tr>
* </table>
* @see #ForegroundLinearLayout_android_foreground
* @see #ForegroundLinearLayout_android_foregroundGravity
* @see #ForegroundLinearLayout_foregroundInsidePadding
*/
public static final int[] ForegroundLinearLayout={
0x01010109, 0x01010200, 0x7f0300b1
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#foreground}
* attribute's value can be found in the {@link #ForegroundLinearLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:foreground
*/
public static final int ForegroundLinearLayout_android_foreground=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#foregroundGravity}
* attribute's value can be found in the {@link #ForegroundLinearLayout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name android:foregroundGravity
*/
public static final int ForegroundLinearLayout_android_foregroundGravity=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#foregroundInsidePadding}
* attribute's value can be found in the {@link #ForegroundLinearLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:foregroundInsidePadding
*/
public static final int ForegroundLinearLayout_foregroundInsidePadding=2;
/**
* Attributes that can be used with a LinearConstraintLayout.
* <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 #LinearConstraintLayout_android_orientation android:orientation}</code></td><td></td></tr>
* </table>
* @see #LinearConstraintLayout_android_orientation
*/
public static final int[] LinearConstraintLayout={
0x010100c4
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#orientation}
* attribute's value can be found in the {@link #LinearConstraintLayout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>horizontal</td><td>0</td><td></td></tr>
* <tr><td>vertical</td><td>1</td><td></td></tr>
* </table>
*
* @attr name android:orientation
*/
public static final int LinearConstraintLayout_android_orientation=0;
/**
* Attributes that can be used with a LinearLayoutCompat.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #LinearLayoutCompat_android_gravity android:gravity}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_android_orientation android:orientation}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_android_baselineAligned android:baselineAligned}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_android_baselineAlignedChildIndex android:baselineAlignedChildIndex}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_android_weightSum android:weightSum}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_divider com.tradeschool.bhaskarsabnis.BlueshoreFinancial:divider}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_dividerPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dividerPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild com.tradeschool.bhaskarsabnis.BlueshoreFinancial:measureWithLargestChild}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_showDividers com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showDividers}</code></td><td></td></tr>
* </table>
* @see #LinearLayoutCompat_android_gravity
* @see #LinearLayoutCompat_android_orientation
* @see #LinearLayoutCompat_android_baselineAligned
* @see #LinearLayoutCompat_android_baselineAlignedChildIndex
* @see #LinearLayoutCompat_android_weightSum
* @see #LinearLayoutCompat_divider
* @see #LinearLayoutCompat_dividerPadding
* @see #LinearLayoutCompat_measureWithLargestChild
* @see #LinearLayoutCompat_showDividers
*/
public static final int[] LinearLayoutCompat={
0x010100af, 0x010100c4, 0x01010126, 0x01010127,
0x01010128, 0x7f030088, 0x7f03008a, 0x7f030124,
0x7f030152
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#gravity}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name android:gravity
*/
public static final int LinearLayoutCompat_android_gravity=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#orientation}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>horizontal</td><td>0</td><td></td></tr>
* <tr><td>vertical</td><td>1</td><td></td></tr>
* </table>
*
* @attr name android:orientation
*/
public static final int LinearLayoutCompat_android_orientation=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#baselineAligned}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:baselineAligned
*/
public static final int LinearLayoutCompat_android_baselineAligned=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#baselineAlignedChildIndex}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name android:baselineAlignedChildIndex
*/
public static final int LinearLayoutCompat_android_baselineAlignedChildIndex=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#weightSum}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:weightSum
*/
public static final int LinearLayoutCompat_android_weightSum=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#divider}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:divider
*/
public static final int LinearLayoutCompat_divider=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#dividerPadding}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:dividerPadding
*/
public static final int LinearLayoutCompat_dividerPadding=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#measureWithLargestChild}
* attribute's value can be found in the {@link #LinearLayoutCompat} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:measureWithLargestChild
*/
public static final int LinearLayoutCompat_measureWithLargestChild=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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>beginning</td><td>1</td><td></td></tr>
* <tr><td>end</td><td>4</td><td></td></tr>
* <tr><td>middle</td><td>2</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showDividers
*/
public static final int LinearLayoutCompat_showDividers=8;
/**
* Attributes that can be used with a LinearLayoutCompat_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_width android:layout_width}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_height android:layout_height}</code></td><td></td></tr>
* <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_weight android:layout_weight}</code></td><td></td></tr>
* </table>
* @see #LinearLayoutCompat_Layout_android_layout_gravity
* @see #LinearLayoutCompat_Layout_android_layout_width
* @see #LinearLayoutCompat_Layout_android_layout_height
* @see #LinearLayoutCompat_Layout_android_layout_weight
*/
public static final int[] LinearLayoutCompat_Layout={
0x010100b3, 0x010100f4, 0x010100f5, 0x01010181
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
* attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name android:layout_gravity
*/
public static final int LinearLayoutCompat_Layout_android_layout_gravity=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_width}
* attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>match_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name android:layout_width
*/
public static final int LinearLayoutCompat_Layout_android_layout_width=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_height}
* attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>match_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name android:layout_height
*/
public static final int LinearLayoutCompat_Layout_android_layout_height=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout_weight}
* attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:layout_weight
*/
public static final int LinearLayoutCompat_Layout_android_layout_weight=3;
/**
* Attributes that can be used with a ListPopupWindow.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ListPopupWindow_android_dropDownHorizontalOffset android:dropDownHorizontalOffset}</code></td><td></td></tr>
* <tr><td><code>{@link #ListPopupWindow_android_dropDownVerticalOffset android:dropDownVerticalOffset}</code></td><td></td></tr>
* </table>
* @see #ListPopupWindow_android_dropDownHorizontalOffset
* @see #ListPopupWindow_android_dropDownVerticalOffset
*/
public static final int[] ListPopupWindow={
0x010102ac, 0x010102ad
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#dropDownHorizontalOffset}
* attribute's value can be found in the {@link #ListPopupWindow} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android: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.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:dropDownVerticalOffset
*/
public static final int ListPopupWindow_android_dropDownVerticalOffset=1;
/**
* Attributes that can be used with a 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:circleCrop}</code></td><td></td></tr>
* <tr><td><code>{@link #LoadingImageView_imageAspectRatio com.tradeschool.bhaskarsabnis.BlueshoreFinancial:imageAspectRatio}</code></td><td></td></tr>
* <tr><td><code>{@link #LoadingImageView_imageAspectRatioAdjust com.tradeschool.bhaskarsabnis.BlueshoreFinancial:imageAspectRatioAdjust}</code></td><td></td></tr>
* </table>
* @see #LoadingImageView_circleCrop
* @see #LoadingImageView_imageAspectRatio
* @see #LoadingImageView_imageAspectRatioAdjust
*/
public static final int[] LoadingImageView={
0x7f030059, 0x7f0300c0, 0x7f0300c1
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#circleCrop}
* attribute's value can be found in the {@link #LoadingImageView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:circleCrop
*/
public static final int LoadingImageView_circleCrop=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#imageAspectRatio}
* attribute's value can be found in the {@link #LoadingImageView} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:imageAspectRatio
*/
public static final int LoadingImageView_imageAspectRatio=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#imageAspectRatioAdjust}
* attribute's value can be found in the {@link #LoadingImageView} 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>adjust_height</td><td>2</td><td></td></tr>
* <tr><td>adjust_width</td><td>1</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:imageAspectRatioAdjust
*/
public static final int LoadingImageView_imageAspectRatioAdjust=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_enabled android:enabled}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuGroup_android_id android:id}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuGroup_android_visible android:visible}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuGroup_android_menuCategory android:menuCategory}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuGroup_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></tr>
* </table>
* @see #MenuGroup_android_enabled
* @see #MenuGroup_android_id
* @see #MenuGroup_android_visible
* @see #MenuGroup_android_menuCategory
* @see #MenuGroup_android_orderInCategory
* @see #MenuGroup_android_checkableBehavior
*/
public static final int[] MenuGroup={
0x0101000e, 0x010100d0, 0x01010194, 0x010101de,
0x010101df, 0x010101e0
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#enabled}
* attribute's value can be found in the {@link #MenuGroup} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:enabled
*/
public static final int MenuGroup_android_enabled=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#id}
* attribute's value can be found in the {@link #MenuGroup} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:id
*/
public static final int MenuGroup_android_id=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#visible}
* attribute's value can be found in the {@link #MenuGroup} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:visible
*/
public static final int MenuGroup_android_visible=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#menuCategory}
* attribute's value can be found in the {@link #MenuGroup} 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>alternative</td><td>40000</td><td></td></tr>
* <tr><td>container</td><td>10000</td><td></td></tr>
* <tr><td>secondary</td><td>30000</td><td></td></tr>
* <tr><td>system</td><td>20000</td><td></td></tr>
* </table>
*
* @attr name android:menuCategory
*/
public static final int MenuGroup_android_menuCategory=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#orderInCategory}
* attribute's value can be found in the {@link #MenuGroup} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name android:orderInCategory
*/
public static final int MenuGroup_android_orderInCategory=4;
/**
* <p>This symbol is the offset where the {@link android.R.attr#checkableBehavior}
* attribute's value can be found in the {@link #MenuGroup} 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>all</td><td>1</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>single</td><td>2</td><td></td></tr>
* </table>
*
* @attr name android:checkableBehavior
*/
public static final int MenuGroup_android_checkableBehavior=5;
/**
* Attributes that can be used with a MenuItem.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #MenuItem_android_icon android:icon}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_enabled android:enabled}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_id android:id}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_checked android:checked}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_visible android:visible}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_menuCategory android:menuCategory}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_title android:title}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_titleCondensed android:titleCondensed}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_alphabeticShortcut android:alphabeticShortcut}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_numericShortcut android:numericShortcut}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_checkable android:checkable}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_android_onClick android:onClick}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_actionLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_actionProviderClass com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionProviderClass}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_actionViewClass com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionViewClass}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_alphabeticModifiers com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alphabeticModifiers}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_contentDescription com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentDescription}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_iconTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:iconTint}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_iconTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:iconTintMode}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_numericModifiers com.tradeschool.bhaskarsabnis.BlueshoreFinancial:numericModifiers}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_showAsAction com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showAsAction}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuItem_tooltipText com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tooltipText}</code></td><td></td></tr>
* </table>
* @see #MenuItem_android_icon
* @see #MenuItem_android_enabled
* @see #MenuItem_android_id
* @see #MenuItem_android_checked
* @see #MenuItem_android_visible
* @see #MenuItem_android_menuCategory
* @see #MenuItem_android_orderInCategory
* @see #MenuItem_android_title
* @see #MenuItem_android_titleCondensed
* @see #MenuItem_android_alphabeticShortcut
* @see #MenuItem_android_numericShortcut
* @see #MenuItem_android_checkable
* @see #MenuItem_android_onClick
* @see #MenuItem_actionLayout
* @see #MenuItem_actionProviderClass
* @see #MenuItem_actionViewClass
* @see #MenuItem_alphabeticModifiers
* @see #MenuItem_contentDescription
* @see #MenuItem_iconTint
* @see #MenuItem_iconTintMode
* @see #MenuItem_numericModifiers
* @see #MenuItem_showAsAction
* @see #MenuItem_tooltipText
*/
public static final int[] MenuItem={
0x01010002, 0x0101000e, 0x010100d0, 0x01010106,
0x01010194, 0x010101de, 0x010101df, 0x010101e1,
0x010101e2, 0x010101e3, 0x010101e4, 0x010101e5,
0x0101026f, 0x7f03000d, 0x7f03001f, 0x7f030020,
0x7f030028, 0x7f030070, 0x7f0300bd, 0x7f0300be,
0x7f03012b, 0x7f030151, 0x7f0301a3
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#icon}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:icon
*/
public static final int MenuItem_android_icon=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#enabled}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:enabled
*/
public static final int MenuItem_android_enabled=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#id}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:id
*/
public static final int MenuItem_android_id=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#checked}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:checked
*/
public static final int MenuItem_android_checked=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#visible}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:visible
*/
public static final int MenuItem_android_visible=4;
/**
* <p>This symbol is the offset where the {@link android.R.attr#menuCategory}
* attribute's value can be found in the {@link #MenuItem} 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>alternative</td><td>40000</td><td></td></tr>
* <tr><td>container</td><td>10000</td><td></td></tr>
* <tr><td>secondary</td><td>30000</td><td></td></tr>
* <tr><td>system</td><td>20000</td><td></td></tr>
* </table>
*
* @attr name android:menuCategory
*/
public static final int MenuItem_android_menuCategory=5;
/**
* <p>This symbol is the offset where the {@link android.R.attr#orderInCategory}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @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.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:title
*/
public static final int MenuItem_android_title=7;
/**
* <p>This symbol is the offset where the {@link android.R.attr#titleCondensed}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:titleCondensed
*/
public static final int MenuItem_android_titleCondensed=8;
/**
* <p>This symbol is the offset where the {@link android.R.attr#alphabeticShortcut}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:alphabeticShortcut
*/
public static final int MenuItem_android_alphabeticShortcut=9;
/**
* <p>This symbol is the offset where the {@link android.R.attr#numericShortcut}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:numericShortcut
*/
public static final int MenuItem_android_numericShortcut=10;
/**
* <p>This symbol is the offset where the {@link android.R.attr#checkable}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:checkable
*/
public static final int MenuItem_android_checkable=11;
/**
* <p>This symbol is the offset where the {@link android.R.attr#onClick}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:onClick
*/
public static final int MenuItem_android_onClick=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionLayout}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionLayout
*/
public static final int MenuItem_actionLayout=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionProviderClass}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionProviderClass
*/
public static final int MenuItem_actionProviderClass=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#actionViewClass}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:actionViewClass
*/
public static final int MenuItem_actionViewClass=15;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#alphabeticModifiers}
* 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>ALT</td><td>2</td><td></td></tr>
* <tr><td>CTRL</td><td>1000</td><td></td></tr>
* <tr><td>FUNCTION</td><td>8</td><td></td></tr>
* <tr><td>META</td><td>10000</td><td></td></tr>
* <tr><td>SHIFT</td><td>1</td><td></td></tr>
* <tr><td>SYM</td><td>4</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:alphabeticModifiers
*/
public static final int MenuItem_alphabeticModifiers=16;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentDescription}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentDescription
*/
public static final int MenuItem_contentDescription=17;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#iconTint}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:iconTint
*/
public static final int MenuItem_iconTint=18;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#iconTintMode}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:iconTintMode
*/
public static final int MenuItem_iconTintMode=19;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#numericModifiers}
* 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>ALT</td><td>2</td><td></td></tr>
* <tr><td>CTRL</td><td>1000</td><td></td></tr>
* <tr><td>FUNCTION</td><td>8</td><td></td></tr>
* <tr><td>META</td><td>10000</td><td></td></tr>
* <tr><td>SHIFT</td><td>1</td><td></td></tr>
* <tr><td>SYM</td><td>4</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:numericModifiers
*/
public static final int MenuItem_numericModifiers=20;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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>always</td><td>2</td><td></td></tr>
* <tr><td>collapseActionView</td><td>8</td><td></td></tr>
* <tr><td>ifRoom</td><td>1</td><td></td></tr>
* <tr><td>never</td><td>0</td><td></td></tr>
* <tr><td>withText</td><td>4</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showAsAction
*/
public static final int MenuItem_showAsAction=21;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tooltipText}
* attribute's value can be found in the {@link #MenuItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tooltipText
*/
public static final int MenuItem_tooltipText=22;
/**
* Attributes that can be used with a MenuView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #MenuView_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_android_itemTextAppearance android:itemTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_android_horizontalDivider android:horizontalDivider}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_android_verticalDivider android:verticalDivider}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_android_headerBackground android:headerBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_android_itemBackground android:itemBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_android_itemIconDisabledAlpha android:itemIconDisabledAlpha}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_preserveIconSpacing com.tradeschool.bhaskarsabnis.BlueshoreFinancial:preserveIconSpacing}</code></td><td></td></tr>
* <tr><td><code>{@link #MenuView_subMenuArrow com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subMenuArrow}</code></td><td></td></tr>
* </table>
* @see #MenuView_android_windowAnimationStyle
* @see #MenuView_android_itemTextAppearance
* @see #MenuView_android_horizontalDivider
* @see #MenuView_android_verticalDivider
* @see #MenuView_android_headerBackground
* @see #MenuView_android_itemBackground
* @see #MenuView_android_itemIconDisabledAlpha
* @see #MenuView_preserveIconSpacing
* @see #MenuView_subMenuArrow
*/
public static final int[] MenuView={
0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e,
0x0101012f, 0x01010130, 0x01010131, 0x7f03013c,
0x7f030162
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:windowAnimationStyle
*/
public static final int MenuView_android_windowAnimationStyle=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#itemTextAppearance}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:itemTextAppearance
*/
public static final int MenuView_android_itemTextAppearance=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#horizontalDivider}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:horizontalDivider
*/
public static final int MenuView_android_horizontalDivider=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#verticalDivider}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:verticalDivider
*/
public static final int MenuView_android_verticalDivider=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#headerBackground}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:headerBackground
*/
public static final int MenuView_android_headerBackground=4;
/**
* <p>This symbol is the offset where the {@link android.R.attr#itemBackground}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android: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.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:itemIconDisabledAlpha
*/
public static final int MenuView_android_itemIconDisabledAlpha=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#preserveIconSpacing}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:preserveIconSpacing
*/
public static final int MenuView_preserveIconSpacing=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subMenuArrow}
* attribute's value can be found in the {@link #MenuView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subMenuArrow
*/
public static final int MenuView_subMenuArrow=8;
/**
* Attributes that can be used with a NavigationView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #NavigationView_android_background android:background}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_android_fitsSystemWindows android:fitsSystemWindows}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_android_maxWidth android:maxWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_elevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_headerLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:headerLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_itemBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_itemIconTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemIconTint}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_itemTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_itemTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemTextColor}</code></td><td></td></tr>
* <tr><td><code>{@link #NavigationView_menu com.tradeschool.bhaskarsabnis.BlueshoreFinancial:menu}</code></td><td></td></tr>
* </table>
* @see #NavigationView_android_background
* @see #NavigationView_android_fitsSystemWindows
* @see #NavigationView_android_maxWidth
* @see #NavigationView_elevation
* @see #NavigationView_headerLayout
* @see #NavigationView_itemBackground
* @see #NavigationView_itemIconTint
* @see #NavigationView_itemTextAppearance
* @see #NavigationView_itemTextColor
* @see #NavigationView_menu
*/
public static final int[] NavigationView={
0x010100d4, 0x010100dd, 0x0101011f, 0x7f030093,
0x7f0300b4, 0x7f0300c7, 0x7f0300c8, 0x7f0300ca,
0x7f0300cb, 0x7f030125
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#background}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:background
*/
public static final int NavigationView_android_background=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#fitsSystemWindows}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name android:fitsSystemWindows
*/
public static final int NavigationView_android_fitsSystemWindows=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxWidth}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxWidth
*/
public static final int NavigationView_android_maxWidth=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#elevation}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation
*/
public static final int NavigationView_elevation=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#headerLayout}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:headerLayout
*/
public static final int NavigationView_headerLayout=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemBackground}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemBackground
*/
public static final int NavigationView_itemBackground=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemIconTint}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemIconTint
*/
public static final int NavigationView_itemIconTint=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemTextAppearance}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemTextAppearance
*/
public static final int NavigationView_itemTextAppearance=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#itemTextColor}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:itemTextColor
*/
public static final int NavigationView_itemTextColor=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#menu}
* attribute's value can be found in the {@link #NavigationView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:menu
*/
public static final int NavigationView_menu=9;
/**
* Attributes that can be used with a PercentLayout_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 #PercentLayout_Layout_layout_aspectRatio com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_aspectRatio}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_heightPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_heightPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginBottomPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginBottomPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginEndPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginEndPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginLeftPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginLeftPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginRightPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginRightPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginStartPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginStartPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_marginTopPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginTopPercent}</code></td><td></td></tr>
* <tr><td><code>{@link #PercentLayout_Layout_layout_widthPercent com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_widthPercent}</code></td><td></td></tr>
* </table>
* @see #PercentLayout_Layout_layout_aspectRatio
* @see #PercentLayout_Layout_layout_heightPercent
* @see #PercentLayout_Layout_layout_marginBottomPercent
* @see #PercentLayout_Layout_layout_marginEndPercent
* @see #PercentLayout_Layout_layout_marginLeftPercent
* @see #PercentLayout_Layout_layout_marginPercent
* @see #PercentLayout_Layout_layout_marginRightPercent
* @see #PercentLayout_Layout_layout_marginStartPercent
* @see #PercentLayout_Layout_layout_marginTopPercent
* @see #PercentLayout_Layout_layout_widthPercent
*/
public static final int[] PercentLayout_Layout={
0x7f0300d1, 0x7f030107, 0x7f03010a, 0x7f03010b,
0x7f03010c, 0x7f03010d, 0x7f03010e, 0x7f03010f,
0x7f030110, 0x7f030114
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_aspectRatio}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_aspectRatio
*/
public static final int PercentLayout_Layout_layout_aspectRatio=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_heightPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_heightPercent
*/
public static final int PercentLayout_Layout_layout_heightPercent=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginBottomPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginBottomPercent
*/
public static final int PercentLayout_Layout_layout_marginBottomPercent=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginEndPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginEndPercent
*/
public static final int PercentLayout_Layout_layout_marginEndPercent=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginLeftPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginLeftPercent
*/
public static final int PercentLayout_Layout_layout_marginLeftPercent=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginPercent
*/
public static final int PercentLayout_Layout_layout_marginPercent=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginRightPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginRightPercent
*/
public static final int PercentLayout_Layout_layout_marginRightPercent=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginStartPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginStartPercent
*/
public static final int PercentLayout_Layout_layout_marginStartPercent=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_marginTopPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_marginTopPercent
*/
public static final int PercentLayout_Layout_layout_marginTopPercent=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout_widthPercent}
* attribute's value can be found in the {@link #PercentLayout_Layout} array.
*
* <p>May be a fractional value, which is a floating point number appended with
* either % or %p, such as "<code>14.5%</code>".
* The % suffix always means a percentage of the base size;
* the optional %p suffix provides a size relative to some parent container.
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout_widthPercent
*/
public static final int PercentLayout_Layout_layout_widthPercent=9;
/**
* Attributes that can be used with a PopupWindow.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #PopupWindow_android_popupBackground android:popupBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #PopupWindow_android_popupAnimationStyle android:popupAnimationStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #PopupWindow_overlapAnchor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:overlapAnchor}</code></td><td></td></tr>
* </table>
* @see #PopupWindow_android_popupBackground
* @see #PopupWindow_android_popupAnimationStyle
* @see #PopupWindow_overlapAnchor
*/
public static final int[] PopupWindow={
0x01010176, 0x010102c9, 0x7f03012c
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#popupBackground}
* attribute's value can be found in the {@link #PopupWindow} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:popupBackground
*/
public static final int PopupWindow_android_popupBackground=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#popupAnimationStyle}
* attribute's value can be found in the {@link #PopupWindow} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:popupAnimationStyle
*/
public static final int PopupWindow_android_popupAnimationStyle=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#overlapAnchor}
* attribute's value can be found in the {@link #PopupWindow} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:overlapAnchor
*/
public static final int PopupWindow_overlapAnchor=2;
/**
* Attributes that can be used with a PopupWindowBackgroundState.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #PopupWindowBackgroundState_state_above_anchor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:state_above_anchor}</code></td><td></td></tr>
* </table>
* @see #PopupWindowBackgroundState_state_above_anchor
*/
public static final int[] PopupWindowBackgroundState={
0x7f03015d
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#state_above_anchor}
* attribute's value can be found in the {@link #PopupWindowBackgroundState} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:state_above_anchor
*/
public static final int PopupWindowBackgroundState_state_above_anchor=0;
/**
* Attributes that can be used with a RecycleListView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #RecycleListView_paddingBottomNoButtons com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingBottomNoButtons}</code></td><td></td></tr>
* <tr><td><code>{@link #RecycleListView_paddingTopNoTitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingTopNoTitle}</code></td><td></td></tr>
* </table>
* @see #RecycleListView_paddingBottomNoButtons
* @see #RecycleListView_paddingTopNoTitle
*/
public static final int[] RecycleListView={
0x7f03012d, 0x7f030130
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#paddingBottomNoButtons}
* attribute's value can be found in the {@link #RecycleListView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingBottomNoButtons
*/
public static final int RecycleListView_paddingBottomNoButtons=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#paddingTopNoTitle}
* attribute's value can be found in the {@link #RecycleListView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingTopNoTitle
*/
public static final int RecycleListView_paddingTopNoTitle=1;
/**
* Attributes that can be used with a RecyclerView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #RecyclerView_android_orientation android:orientation}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_android_descendantFocusability android:descendantFocusability}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_fastScrollEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_fastScrollHorizontalThumbDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollHorizontalThumbDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_fastScrollHorizontalTrackDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollHorizontalTrackDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_fastScrollVerticalThumbDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollVerticalThumbDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_fastScrollVerticalTrackDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollVerticalTrackDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_layoutManager com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layoutManager}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_reverseLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:reverseLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_spanCount com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spanCount}</code></td><td></td></tr>
* <tr><td><code>{@link #RecyclerView_stackFromEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:stackFromEnd}</code></td><td></td></tr>
* </table>
* @see #RecyclerView_android_orientation
* @see #RecyclerView_android_descendantFocusability
* @see #RecyclerView_fastScrollEnabled
* @see #RecyclerView_fastScrollHorizontalThumbDrawable
* @see #RecyclerView_fastScrollHorizontalTrackDrawable
* @see #RecyclerView_fastScrollVerticalThumbDrawable
* @see #RecyclerView_fastScrollVerticalTrackDrawable
* @see #RecyclerView_layoutManager
* @see #RecyclerView_reverseLayout
* @see #RecyclerView_spanCount
* @see #RecyclerView_stackFromEnd
*/
public static final int[] RecyclerView={
0x010100c4, 0x010100f1, 0x7f0300a2, 0x7f0300a3,
0x7f0300a4, 0x7f0300a5, 0x7f0300a6, 0x7f0300ce,
0x7f030146, 0x7f030156, 0x7f03015c
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#orientation}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>horizontal</td><td>0</td><td></td></tr>
* <tr><td>vertical</td><td>1</td><td></td></tr>
* </table>
*
* @attr name android:orientation
*/
public static final int RecyclerView_android_orientation=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#descendantFocusability}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>afterDescendants</td><td>1</td><td></td></tr>
* <tr><td>beforeDescendants</td><td>0</td><td></td></tr>
* <tr><td>blocksDescendants</td><td>2</td><td></td></tr>
* </table>
*
* @attr name android:descendantFocusability
*/
public static final int RecyclerView_android_descendantFocusability=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fastScrollEnabled}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollEnabled
*/
public static final int RecyclerView_fastScrollEnabled=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fastScrollHorizontalThumbDrawable}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollHorizontalThumbDrawable
*/
public static final int RecyclerView_fastScrollHorizontalThumbDrawable=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fastScrollHorizontalTrackDrawable}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollHorizontalTrackDrawable
*/
public static final int RecyclerView_fastScrollHorizontalTrackDrawable=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fastScrollVerticalThumbDrawable}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollVerticalThumbDrawable
*/
public static final int RecyclerView_fastScrollVerticalThumbDrawable=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fastScrollVerticalTrackDrawable}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fastScrollVerticalTrackDrawable
*/
public static final int RecyclerView_fastScrollVerticalTrackDrawable=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layoutManager}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layoutManager
*/
public static final int RecyclerView_layoutManager=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#reverseLayout}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:reverseLayout
*/
public static final int RecyclerView_reverseLayout=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#spanCount}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:spanCount
*/
public static final int RecyclerView_spanCount=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#stackFromEnd}
* attribute's value can be found in the {@link #RecyclerView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:stackFromEnd
*/
public static final int RecyclerView_stackFromEnd=10;
/**
* Attributes that can be used with a ScrimInsetsFrameLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ScrimInsetsFrameLayout_insetForeground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:insetForeground}</code></td><td></td></tr>
* </table>
* @see #ScrimInsetsFrameLayout_insetForeground
*/
public static final int[] ScrimInsetsFrameLayout={
0x7f0300c5
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#insetForeground}
* attribute's value can be found in the {@link #ScrimInsetsFrameLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:insetForeground
*/
public static final int ScrimInsetsFrameLayout_insetForeground=0;
/**
* Attributes that can be used with a ScrollingViewBehavior_Layout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ScrollingViewBehavior_Layout_behavior_overlapTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_overlapTop}</code></td><td></td></tr>
* </table>
* @see #ScrollingViewBehavior_Layout_behavior_overlapTop
*/
public static final int[] ScrollingViewBehavior_Layout={
0x7f03003b
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#behavior_overlapTop}
* attribute's value can be found in the {@link #ScrollingViewBehavior_Layout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:behavior_overlapTop
*/
public static final int ScrollingViewBehavior_Layout_behavior_overlapTop=0;
/**
* Attributes that can be used with a SearchView.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #SearchView_android_focusable android:focusable}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_android_maxWidth android:maxWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_android_inputType android:inputType}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_android_imeOptions android:imeOptions}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_closeIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:closeIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_commitIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:commitIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_defaultQueryHint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:defaultQueryHint}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_goIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:goIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_iconifiedByDefault com.tradeschool.bhaskarsabnis.BlueshoreFinancial:iconifiedByDefault}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_layout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_queryBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:queryBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_queryHint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:queryHint}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_searchHintIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:searchHintIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_searchIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:searchIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_submitBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:submitBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_suggestionRowLayout com.tradeschool.bhaskarsabnis.BlueshoreFinancial:suggestionRowLayout}</code></td><td></td></tr>
* <tr><td><code>{@link #SearchView_voiceIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:voiceIcon}</code></td><td></td></tr>
* </table>
* @see #SearchView_android_focusable
* @see #SearchView_android_maxWidth
* @see #SearchView_android_inputType
* @see #SearchView_android_imeOptions
* @see #SearchView_closeIcon
* @see #SearchView_commitIcon
* @see #SearchView_defaultQueryHint
* @see #SearchView_goIcon
* @see #SearchView_iconifiedByDefault
* @see #SearchView_layout
* @see #SearchView_queryBackground
* @see #SearchView_queryHint
* @see #SearchView_searchHintIcon
* @see #SearchView_searchIcon
* @see #SearchView_submitBackground
* @see #SearchView_suggestionRowLayout
* @see #SearchView_voiceIcon
*/
public static final int[] SearchView={
0x010100da, 0x0101011f, 0x01010220, 0x01010264,
0x7f03005a, 0x7f03006c, 0x7f030084, 0x7f0300b3,
0x7f0300bf, 0x7f0300cd, 0x7f030140, 0x7f030141,
0x7f03014b, 0x7f03014c, 0x7f030163, 0x7f030168,
0x7f0301a9
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#focusable}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>10</td><td></td></tr>
* </table>
*
* @attr name android:focusable
*/
public static final int SearchView_android_focusable=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxWidth}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxWidth
*/
public static final int SearchView_android_maxWidth=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#inputType}
* attribute's value can be found in the {@link #SearchView} 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>date</td><td>14</td><td></td></tr>
* <tr><td>datetime</td><td>4</td><td></td></tr>
* <tr><td>none</td><td>0</td><td></td></tr>
* <tr><td>number</td><td>2</td><td></td></tr>
* <tr><td>numberDecimal</td><td>2002</td><td></td></tr>
* <tr><td>numberPassword</td><td>12</td><td></td></tr>
* <tr><td>numberSigned</td><td>1002</td><td></td></tr>
* <tr><td>phone</td><td>3</td><td></td></tr>
* <tr><td>text</td><td>1</td><td></td></tr>
* <tr><td>textAutoComplete</td><td>10001</td><td></td></tr>
* <tr><td>textAutoCorrect</td><td>8001</td><td></td></tr>
* <tr><td>textCapCharacters</td><td>1001</td><td></td></tr>
* <tr><td>textCapSentences</td><td>4001</td><td></td></tr>
* <tr><td>textCapWords</td><td>2001</td><td></td></tr>
* <tr><td>textEmailAddress</td><td>21</td><td></td></tr>
* <tr><td>textEmailSubject</td><td>31</td><td></td></tr>
* <tr><td>textFilter</td><td>b1</td><td></td></tr>
* <tr><td>textImeMultiLine</td><td>40001</td><td></td></tr>
* <tr><td>textLongMessage</td><td>51</td><td></td></tr>
* <tr><td>textMultiLine</td><td>20001</td><td></td></tr>
* <tr><td>textNoSuggestions</td><td>80001</td><td></td></tr>
* <tr><td>textPassword</td><td>81</td><td></td></tr>
* <tr><td>textPersonName</td><td>61</td><td></td></tr>
* <tr><td>textPhonetic</td><td>c1</td><td></td></tr>
* <tr><td>textPostalAddress</td><td>71</td><td></td></tr>
* <tr><td>textShortMessage</td><td>41</td><td></td></tr>
* <tr><td>textUri</td><td>11</td><td></td></tr>
* <tr><td>textVisiblePassword</td><td>91</td><td></td></tr>
* <tr><td>textWebEditText</td><td>a1</td><td></td></tr>
* <tr><td>textWebEmailAddress</td><td>d1</td><td></td></tr>
* <tr><td>textWebPassword</td><td>e1</td><td></td></tr>
* <tr><td>time</td><td>24</td><td></td></tr>
* </table>
*
* @attr name android:inputType
*/
public static final int SearchView_android_inputType=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#imeOptions}
* attribute's value can be found in the {@link #SearchView} 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>actionDone</td><td>6</td><td></td></tr>
* <tr><td>actionGo</td><td>2</td><td></td></tr>
* <tr><td>actionNext</td><td>5</td><td></td></tr>
* <tr><td>actionNone</td><td>1</td><td></td></tr>
* <tr><td>actionPrevious</td><td>7</td><td></td></tr>
* <tr><td>actionSearch</td><td>3</td><td></td></tr>
* <tr><td>actionSend</td><td>4</td><td></td></tr>
* <tr><td>actionUnspecified</td><td>0</td><td></td></tr>
* <tr><td>flagForceAscii</td><td>80000000</td><td></td></tr>
* <tr><td>flagNavigateNext</td><td>8000000</td><td></td></tr>
* <tr><td>flagNavigatePrevious</td><td>4000000</td><td></td></tr>
* <tr><td>flagNoAccessoryAction</td><td>20000000</td><td></td></tr>
* <tr><td>flagNoEnterAction</td><td>40000000</td><td></td></tr>
* <tr><td>flagNoExtractUi</td><td>10000000</td><td></td></tr>
* <tr><td>flagNoFullscreen</td><td>2000000</td><td></td></tr>
* <tr><td>flagNoPersonalizedLearning</td><td>1000000</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*
* @attr name android:imeOptions
*/
public static final int SearchView_android_imeOptions=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#closeIcon}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:closeIcon
*/
public static final int SearchView_closeIcon=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#commitIcon}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:commitIcon
*/
public static final int SearchView_commitIcon=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#defaultQueryHint}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:defaultQueryHint
*/
public static final int SearchView_defaultQueryHint=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#goIcon}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:goIcon
*/
public static final int SearchView_goIcon=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#iconifiedByDefault}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:iconifiedByDefault
*/
public static final int SearchView_iconifiedByDefault=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#layout}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:layout
*/
public static final int SearchView_layout=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#queryBackground}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:queryBackground
*/
public static final int SearchView_queryBackground=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#queryHint}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:queryHint
*/
public static final int SearchView_queryHint=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#searchHintIcon}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:searchHintIcon
*/
public static final int SearchView_searchHintIcon=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#searchIcon}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:searchIcon
*/
public static final int SearchView_searchIcon=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#submitBackground}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:submitBackground
*/
public static final int SearchView_submitBackground=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#suggestionRowLayout}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:suggestionRowLayout
*/
public static final int SearchView_suggestionRowLayout=15;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#voiceIcon}
* attribute's value can be found in the {@link #SearchView} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:voiceIcon
*/
public static final int SearchView_voiceIcon=16;
/**
* Attributes that can be used with a SignInButton.
* <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.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonSize}</code></td><td></td></tr>
* <tr><td><code>{@link #SignInButton_colorScheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorScheme}</code></td><td></td></tr>
* <tr><td><code>{@link #SignInButton_scopeUris com.tradeschool.bhaskarsabnis.BlueshoreFinancial:scopeUris}</code></td><td></td></tr>
* </table>
* @see #SignInButton_buttonSize
* @see #SignInButton_colorScheme
* @see #SignInButton_scopeUris
*/
public static final int[] SignInButton={
0x7f03004a, 0x7f03006a, 0x7f030148
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>icon_only</td><td>2</td><td></td></tr>
* <tr><td>standard</td><td>0</td><td></td></tr>
* <tr><td>wide</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonSize
*/
public static final int SignInButton_buttonSize=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>2</td><td></td></tr>
* <tr><td>dark</td><td>0</td><td></td></tr>
* <tr><td>light</td><td>1</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:colorScheme
*/
public static final int SignInButton_colorScheme=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 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.tradeschool.bhaskarsabnis.BlueshoreFinancial:scopeUris
*/
public static final int SignInButton_scopeUris=2;
/**
* Attributes that can be used with a SnackbarLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #SnackbarLayout_android_maxWidth android:maxWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #SnackbarLayout_elevation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation}</code></td><td></td></tr>
* <tr><td><code>{@link #SnackbarLayout_maxActionInlineWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:maxActionInlineWidth}</code></td><td></td></tr>
* </table>
* @see #SnackbarLayout_android_maxWidth
* @see #SnackbarLayout_elevation
* @see #SnackbarLayout_maxActionInlineWidth
*/
public static final int[] SnackbarLayout={
0x0101011f, 0x7f030093, 0x7f030122
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#maxWidth}
* attribute's value can be found in the {@link #SnackbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:maxWidth
*/
public static final int SnackbarLayout_android_maxWidth=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#elevation}
* attribute's value can be found in the {@link #SnackbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:elevation
*/
public static final int SnackbarLayout_elevation=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#maxActionInlineWidth}
* attribute's value can be found in the {@link #SnackbarLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:maxActionInlineWidth
*/
public static final int SnackbarLayout_maxActionInlineWidth=2;
/**
* Attributes that can be used with a Spinner.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #Spinner_android_entries android:entries}</code></td><td></td></tr>
* <tr><td><code>{@link #Spinner_android_popupBackground android:popupBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #Spinner_android_prompt android:prompt}</code></td><td></td></tr>
* <tr><td><code>{@link #Spinner_android_dropDownWidth android:dropDownWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #Spinner_popupTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupTheme}</code></td><td></td></tr>
* </table>
* @see #Spinner_android_entries
* @see #Spinner_android_popupBackground
* @see #Spinner_android_prompt
* @see #Spinner_android_dropDownWidth
* @see #Spinner_popupTheme
*/
public static final int[] Spinner={
0x010100b2, 0x01010176, 0x0101017b, 0x01010262,
0x7f03013a
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#entries}
* attribute's value can be found in the {@link #Spinner} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:entries
*/
public static final int Spinner_android_entries=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#popupBackground}
* attribute's value can be found in the {@link #Spinner} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:popupBackground
*/
public static final int Spinner_android_popupBackground=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#prompt}
* attribute's value can be found in the {@link #Spinner} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:prompt
*/
public static final int Spinner_android_prompt=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#dropDownWidth}
* attribute's value can be found in the {@link #Spinner} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>match_parent</td><td>ffffffff</td><td></td></tr>
* <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr>
* </table>
*
* @attr name android:dropDownWidth
*/
public static final int Spinner_android_dropDownWidth=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#popupTheme}
* attribute's value can be found in the {@link #Spinner} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupTheme
*/
public static final int Spinner_popupTheme=4;
/**
* Attributes that can be used with a SwitchCompat.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #SwitchCompat_android_textOn android:textOn}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_android_textOff android:textOff}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_android_thumb android:thumb}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_showText com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showText}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_splitTrack com.tradeschool.bhaskarsabnis.BlueshoreFinancial:splitTrack}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_switchMinWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchMinWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_switchPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_switchTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_thumbTextPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thumbTextPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_thumbTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thumbTint}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_thumbTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thumbTintMode}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_track com.tradeschool.bhaskarsabnis.BlueshoreFinancial:track}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_trackTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:trackTint}</code></td><td></td></tr>
* <tr><td><code>{@link #SwitchCompat_trackTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:trackTintMode}</code></td><td></td></tr>
* </table>
* @see #SwitchCompat_android_textOn
* @see #SwitchCompat_android_textOff
* @see #SwitchCompat_android_thumb
* @see #SwitchCompat_showText
* @see #SwitchCompat_splitTrack
* @see #SwitchCompat_switchMinWidth
* @see #SwitchCompat_switchPadding
* @see #SwitchCompat_switchTextAppearance
* @see #SwitchCompat_thumbTextPadding
* @see #SwitchCompat_thumbTint
* @see #SwitchCompat_thumbTintMode
* @see #SwitchCompat_track
* @see #SwitchCompat_trackTint
* @see #SwitchCompat_trackTintMode
*/
public static final int[] SwitchCompat={
0x01010124, 0x01010125, 0x01010142, 0x7f030153,
0x7f03015a, 0x7f030169, 0x7f03016a, 0x7f03016c,
0x7f03018b, 0x7f03018c, 0x7f03018d, 0x7f0301a4,
0x7f0301a5, 0x7f0301a6
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#textOn}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:textOn
*/
public static final int SwitchCompat_android_textOn=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#textOff}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:textOff
*/
public static final int SwitchCompat_android_textOff=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#thumb}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:thumb
*/
public static final int SwitchCompat_android_thumb=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#showText}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:showText
*/
public static final int SwitchCompat_showText=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#splitTrack}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:splitTrack
*/
public static final int SwitchCompat_splitTrack=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#switchMinWidth}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchMinWidth
*/
public static final int SwitchCompat_switchMinWidth=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#switchPadding}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchPadding
*/
public static final int SwitchCompat_switchPadding=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#switchTextAppearance}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:switchTextAppearance
*/
public static final int SwitchCompat_switchTextAppearance=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#thumbTextPadding}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thumbTextPadding
*/
public static final int SwitchCompat_thumbTextPadding=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#thumbTint}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thumbTint
*/
public static final int SwitchCompat_thumbTint=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#thumbTintMode}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:thumbTintMode
*/
public static final int SwitchCompat_thumbTintMode=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#track}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:track
*/
public static final int SwitchCompat_track=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#trackTint}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:trackTint
*/
public static final int SwitchCompat_trackTint=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#trackTintMode}
* attribute's value can be found in the {@link #SwitchCompat} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:trackTintMode
*/
public static final int SwitchCompat_trackTintMode=13;
/**
* Attributes that can be used with a TabItem.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #TabItem_android_icon android:icon}</code></td><td></td></tr>
* <tr><td><code>{@link #TabItem_android_layout android:layout}</code></td><td></td></tr>
* <tr><td><code>{@link #TabItem_android_text android:text}</code></td><td></td></tr>
* </table>
* @see #TabItem_android_icon
* @see #TabItem_android_layout
* @see #TabItem_android_text
*/
public static final int[] TabItem={
0x01010002, 0x010100f2, 0x0101014f
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#icon}
* attribute's value can be found in the {@link #TabItem} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:icon
*/
public static final int TabItem_android_icon=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout}
* attribute's value can be found in the {@link #TabItem} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:layout
*/
public static final int TabItem_android_layout=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#text}
* attribute's value can be found in the {@link #TabItem} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:text
*/
public static final int TabItem_android_text=2;
/**
* Attributes that can be used with a TabLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #TabLayout_tabBackground com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabBackground}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabContentStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabContentStart}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabGravity com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabGravity}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabIndicatorColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabIndicatorColor}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabIndicatorHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabIndicatorHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabMaxWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabMaxWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabMinWidth com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabMinWidth}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabMode}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabPadding com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPadding}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabPaddingBottom com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabPaddingEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabPaddingStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingStart}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabPaddingTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingTop}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabSelectedTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabSelectedTextColor}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #TabLayout_tabTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabTextColor}</code></td><td></td></tr>
* </table>
* @see #TabLayout_tabBackground
* @see #TabLayout_tabContentStart
* @see #TabLayout_tabGravity
* @see #TabLayout_tabIndicatorColor
* @see #TabLayout_tabIndicatorHeight
* @see #TabLayout_tabMaxWidth
* @see #TabLayout_tabMinWidth
* @see #TabLayout_tabMode
* @see #TabLayout_tabPadding
* @see #TabLayout_tabPaddingBottom
* @see #TabLayout_tabPaddingEnd
* @see #TabLayout_tabPaddingStart
* @see #TabLayout_tabPaddingTop
* @see #TabLayout_tabSelectedTextColor
* @see #TabLayout_tabTextAppearance
* @see #TabLayout_tabTextColor
*/
public static final int[] TabLayout={
0x7f03016d, 0x7f03016e, 0x7f03016f, 0x7f030170,
0x7f030171, 0x7f030172, 0x7f030173, 0x7f030174,
0x7f030175, 0x7f030176, 0x7f030177, 0x7f030178,
0x7f030179, 0x7f03017a, 0x7f03017b, 0x7f03017c
};
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabBackground}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabBackground
*/
public static final int TabLayout_tabBackground=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabContentStart}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabContentStart
*/
public static final int TabLayout_tabContentStart=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabGravity}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>center</td><td>1</td><td></td></tr>
* <tr><td>fill</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabGravity
*/
public static final int TabLayout_tabGravity=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabIndicatorColor}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabIndicatorColor
*/
public static final int TabLayout_tabIndicatorColor=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabIndicatorHeight}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabIndicatorHeight
*/
public static final int TabLayout_tabIndicatorHeight=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabMaxWidth}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabMaxWidth
*/
public static final int TabLayout_tabMaxWidth=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabMinWidth}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabMinWidth
*/
public static final int TabLayout_tabMinWidth=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabMode}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>fixed</td><td>1</td><td></td></tr>
* <tr><td>scrollable</td><td>0</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabMode
*/
public static final int TabLayout_tabMode=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabPadding}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPadding
*/
public static final int TabLayout_tabPadding=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabPaddingBottom}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingBottom
*/
public static final int TabLayout_tabPaddingBottom=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabPaddingEnd}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingEnd
*/
public static final int TabLayout_tabPaddingEnd=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabPaddingStart}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingStart
*/
public static final int TabLayout_tabPaddingStart=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabPaddingTop}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabPaddingTop
*/
public static final int TabLayout_tabPaddingTop=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabSelectedTextColor}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabSelectedTextColor
*/
public static final int TabLayout_tabSelectedTextColor=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabTextAppearance}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabTextAppearance
*/
public static final int TabLayout_tabTextAppearance=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#tabTextColor}
* attribute's value can be found in the {@link #TabLayout} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:tabTextColor
*/
public static final int TabLayout_tabTextColor=15;
/**
* Attributes that can be used with a TextAppearance.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #TextAppearance_android_textSize android:textSize}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_typeface android:typeface}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_textStyle android:textStyle}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_textColor android:textColor}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_textColorHint android:textColorHint}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_textColorLink android:textColorLink}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_shadowColor android:shadowColor}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_shadowDx android:shadowDx}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_shadowDy android:shadowDy}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_shadowRadius android:shadowRadius}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_android_fontFamily android:fontFamily}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_fontFamily com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontFamily}</code></td><td></td></tr>
* <tr><td><code>{@link #TextAppearance_textAllCaps com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAllCaps}</code></td><td></td></tr>
* </table>
* @see #TextAppearance_android_textSize
* @see #TextAppearance_android_typeface
* @see #TextAppearance_android_textStyle
* @see #TextAppearance_android_textColor
* @see #TextAppearance_android_textColorHint
* @see #TextAppearance_android_textColorLink
* @see #TextAppearance_android_shadowColor
* @see #TextAppearance_android_shadowDx
* @see #TextAppearance_android_shadowDy
* @see #TextAppearance_android_shadowRadius
* @see #TextAppearance_android_fontFamily
* @see #TextAppearance_fontFamily
* @see #TextAppearance_textAllCaps
*/
public static final int[] TextAppearance={
0x01010095, 0x01010096, 0x01010097, 0x01010098,
0x0101009a, 0x0101009b, 0x01010161, 0x01010162,
0x01010163, 0x01010164, 0x010103ac, 0x7f0300a8,
0x7f03017d
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#textSize}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:textSize
*/
public static final int TextAppearance_android_textSize=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#typeface}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>monospace</td><td>3</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* <tr><td>sans</td><td>1</td><td></td></tr>
* <tr><td>serif</td><td>2</td><td></td></tr>
* </table>
*
* @attr name android:typeface
*/
public static final int TextAppearance_android_typeface=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#textStyle}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bold</td><td>1</td><td></td></tr>
* <tr><td>italic</td><td>2</td><td></td></tr>
* <tr><td>normal</td><td>0</td><td></td></tr>
* </table>
*
* @attr name android:textStyle
*/
public static final int TextAppearance_android_textStyle=2;
/**
* <p>This symbol is the offset where the {@link android.R.attr#textColor}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:textColor
*/
public static final int TextAppearance_android_textColor=3;
/**
* <p>This symbol is the offset where the {@link android.R.attr#textColorHint}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:textColorHint
*/
public static final int TextAppearance_android_textColorHint=4;
/**
* <p>This symbol is the offset where the {@link android.R.attr#textColorLink}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:textColorLink
*/
public static final int TextAppearance_android_textColorLink=5;
/**
* <p>This symbol is the offset where the {@link android.R.attr#shadowColor}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:shadowColor
*/
public static final int TextAppearance_android_shadowColor=6;
/**
* <p>This symbol is the offset where the {@link android.R.attr#shadowDx}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:shadowDx
*/
public static final int TextAppearance_android_shadowDx=7;
/**
* <p>This symbol is the offset where the {@link android.R.attr#shadowDy}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:shadowDy
*/
public static final int TextAppearance_android_shadowDy=8;
/**
* <p>This symbol is the offset where the {@link android.R.attr#shadowRadius}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a floating point value, such as "<code>1.2</code>".
*
* @attr name android:shadowRadius
*/
public static final int TextAppearance_android_shadowRadius=9;
/**
* <p>This symbol is the offset where the {@link android.R.attr#fontFamily}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:fontFamily
*/
public static final int TextAppearance_android_fontFamily=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#fontFamily}
* attribute's value can be found in the {@link #TextAppearance} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:fontFamily
*/
public static final int TextAppearance_fontFamily=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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 a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:textAllCaps
*/
public static final int TextAppearance_textAllCaps=12;
/**
* Attributes that can be used with a TextInputLayout.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #TextInputLayout_android_textColorHint android:textColorHint}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_android_hint android:hint}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_counterEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_counterMaxLength com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterMaxLength}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_counterOverflowTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterOverflowTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_counterTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_errorEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:errorEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_errorTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:errorTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_hintAnimationEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hintAnimationEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_hintEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hintEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_hintTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hintTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_passwordToggleContentDescription com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleContentDescription}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_passwordToggleDrawable com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleDrawable}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_passwordToggleEnabled com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleEnabled}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_passwordToggleTint com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleTint}</code></td><td></td></tr>
* <tr><td><code>{@link #TextInputLayout_passwordToggleTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleTintMode}</code></td><td></td></tr>
* </table>
* @see #TextInputLayout_android_textColorHint
* @see #TextInputLayout_android_hint
* @see #TextInputLayout_counterEnabled
* @see #TextInputLayout_counterMaxLength
* @see #TextInputLayout_counterOverflowTextAppearance
* @see #TextInputLayout_counterTextAppearance
* @see #TextInputLayout_errorEnabled
* @see #TextInputLayout_errorTextAppearance
* @see #TextInputLayout_hintAnimationEnabled
* @see #TextInputLayout_hintEnabled
* @see #TextInputLayout_hintTextAppearance
* @see #TextInputLayout_passwordToggleContentDescription
* @see #TextInputLayout_passwordToggleDrawable
* @see #TextInputLayout_passwordToggleEnabled
* @see #TextInputLayout_passwordToggleTint
* @see #TextInputLayout_passwordToggleTintMode
*/
public static final int[] TextInputLayout={
0x0101009a, 0x01010150, 0x7f03007f, 0x7f030080,
0x7f030081, 0x7f030082, 0x7f030095, 0x7f030096,
0x7f0300b7, 0x7f0300b8, 0x7f0300b9, 0x7f030134,
0x7f030135, 0x7f030136, 0x7f030137, 0x7f030138
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#textColorHint}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:textColorHint
*/
public static final int TextInputLayout_android_textColorHint=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#hint}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name android:hint
*/
public static final int TextInputLayout_android_hint=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#counterEnabled}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterEnabled
*/
public static final int TextInputLayout_counterEnabled=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#counterMaxLength}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be an integer value, such as "<code>100</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterMaxLength
*/
public static final int TextInputLayout_counterMaxLength=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#counterOverflowTextAppearance}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterOverflowTextAppearance
*/
public static final int TextInputLayout_counterOverflowTextAppearance=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#counterTextAppearance}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:counterTextAppearance
*/
public static final int TextInputLayout_counterTextAppearance=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#errorEnabled}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:errorEnabled
*/
public static final int TextInputLayout_errorEnabled=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#errorTextAppearance}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:errorTextAppearance
*/
public static final int TextInputLayout_errorTextAppearance=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#hintAnimationEnabled}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hintAnimationEnabled
*/
public static final int TextInputLayout_hintAnimationEnabled=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#hintEnabled}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hintEnabled
*/
public static final int TextInputLayout_hintEnabled=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#hintTextAppearance}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:hintTextAppearance
*/
public static final int TextInputLayout_hintTextAppearance=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#passwordToggleContentDescription}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleContentDescription
*/
public static final int TextInputLayout_passwordToggleContentDescription=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#passwordToggleDrawable}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleDrawable
*/
public static final int TextInputLayout_passwordToggleDrawable=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#passwordToggleEnabled}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleEnabled
*/
public static final int TextInputLayout_passwordToggleEnabled=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#passwordToggleTint}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleTint
*/
public static final int TextInputLayout_passwordToggleTint=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#passwordToggleTintMode}
* attribute's value can be found in the {@link #TextInputLayout} array.
*
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:passwordToggleTintMode
*/
public static final int TextInputLayout_passwordToggleTintMode=15;
/**
* Attributes that can be used with a Toolbar.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #Toolbar_android_gravity android:gravity}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_android_minHeight android:minHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_buttonGravity com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonGravity}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_collapseContentDescription com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapseContentDescription}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_collapseIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapseIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_contentInsetEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_contentInsetEndWithActions com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEndWithActions}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_contentInsetLeft com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetLeft}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_contentInsetRight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetRight}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_contentInsetStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStart}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_contentInsetStartWithNavigation com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStartWithNavigation}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_logo com.tradeschool.bhaskarsabnis.BlueshoreFinancial:logo}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_logoDescription com.tradeschool.bhaskarsabnis.BlueshoreFinancial:logoDescription}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_maxButtonHeight com.tradeschool.bhaskarsabnis.BlueshoreFinancial:maxButtonHeight}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_navigationContentDescription com.tradeschool.bhaskarsabnis.BlueshoreFinancial:navigationContentDescription}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_navigationIcon com.tradeschool.bhaskarsabnis.BlueshoreFinancial:navigationIcon}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_popupTheme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupTheme}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_subtitle com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitle}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_subtitleTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_subtitleTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextColor}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_title com.tradeschool.bhaskarsabnis.BlueshoreFinancial:title}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleMargin com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMargin}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleMarginBottom com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginBottom}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleMarginEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleMarginStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginStart}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleMarginTop com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginTop}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleMargins com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMargins}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleTextAppearance com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextAppearance}</code></td><td></td></tr>
* <tr><td><code>{@link #Toolbar_titleTextColor com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextColor}</code></td><td></td></tr>
* </table>
* @see #Toolbar_android_gravity
* @see #Toolbar_android_minHeight
* @see #Toolbar_buttonGravity
* @see #Toolbar_collapseContentDescription
* @see #Toolbar_collapseIcon
* @see #Toolbar_contentInsetEnd
* @see #Toolbar_contentInsetEndWithActions
* @see #Toolbar_contentInsetLeft
* @see #Toolbar_contentInsetRight
* @see #Toolbar_contentInsetStart
* @see #Toolbar_contentInsetStartWithNavigation
* @see #Toolbar_logo
* @see #Toolbar_logoDescription
* @see #Toolbar_maxButtonHeight
* @see #Toolbar_navigationContentDescription
* @see #Toolbar_navigationIcon
* @see #Toolbar_popupTheme
* @see #Toolbar_subtitle
* @see #Toolbar_subtitleTextAppearance
* @see #Toolbar_subtitleTextColor
* @see #Toolbar_title
* @see #Toolbar_titleMargin
* @see #Toolbar_titleMarginBottom
* @see #Toolbar_titleMarginEnd
* @see #Toolbar_titleMarginStart
* @see #Toolbar_titleMarginTop
* @see #Toolbar_titleMargins
* @see #Toolbar_titleTextAppearance
* @see #Toolbar_titleTextColor
*/
public static final int[] Toolbar={
0x010100af, 0x01010140, 0x7f030047, 0x7f03005c,
0x7f03005d, 0x7f030071, 0x7f030072, 0x7f030073,
0x7f030074, 0x7f030075, 0x7f030076, 0x7f030120,
0x7f030121, 0x7f030123, 0x7f030128, 0x7f030129,
0x7f03013a, 0x7f030164, 0x7f030165, 0x7f030166,
0x7f030193, 0x7f030195, 0x7f030196, 0x7f030197,
0x7f030198, 0x7f030199, 0x7f03019a, 0x7f03019b,
0x7f03019c
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#gravity}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>center</td><td>11</td><td></td></tr>
* <tr><td>center_horizontal</td><td>1</td><td></td></tr>
* <tr><td>center_vertical</td><td>10</td><td></td></tr>
* <tr><td>clip_horizontal</td><td>8</td><td></td></tr>
* <tr><td>clip_vertical</td><td>80</td><td></td></tr>
* <tr><td>end</td><td>800005</td><td></td></tr>
* <tr><td>fill</td><td>77</td><td></td></tr>
* <tr><td>fill_horizontal</td><td>7</td><td></td></tr>
* <tr><td>fill_vertical</td><td>70</td><td></td></tr>
* <tr><td>left</td><td>3</td><td></td></tr>
* <tr><td>right</td><td>5</td><td></td></tr>
* <tr><td>start</td><td>800003</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name android:gravity
*/
public static final int Toolbar_android_gravity=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#minHeight}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name android:minHeight
*/
public static final int Toolbar_android_minHeight=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#buttonGravity}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>Must be one or more (separated by '|') of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>bottom</td><td>50</td><td></td></tr>
* <tr><td>top</td><td>30</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:buttonGravity
*/
public static final int Toolbar_buttonGravity=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#collapseContentDescription}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapseContentDescription
*/
public static final int Toolbar_collapseContentDescription=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#collapseIcon}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:collapseIcon
*/
public static final int Toolbar_collapseIcon=4;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetEnd}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEnd
*/
public static final int Toolbar_contentInsetEnd=5;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetEndWithActions}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetEndWithActions
*/
public static final int Toolbar_contentInsetEndWithActions=6;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetLeft}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetLeft
*/
public static final int Toolbar_contentInsetLeft=7;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetRight}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetRight
*/
public static final int Toolbar_contentInsetRight=8;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetStart}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStart
*/
public static final int Toolbar_contentInsetStart=9;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#contentInsetStartWithNavigation}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:contentInsetStartWithNavigation
*/
public static final int Toolbar_contentInsetStartWithNavigation=10;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#logo}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:logo
*/
public static final int Toolbar_logo=11;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#logoDescription}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:logoDescription
*/
public static final int Toolbar_logoDescription=12;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#maxButtonHeight}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:maxButtonHeight
*/
public static final int Toolbar_maxButtonHeight=13;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#navigationContentDescription}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:navigationContentDescription
*/
public static final int Toolbar_navigationContentDescription=14;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#navigationIcon}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:navigationIcon
*/
public static final int Toolbar_navigationIcon=15;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#popupTheme}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:popupTheme
*/
public static final int Toolbar_popupTheme=16;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subtitle}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitle
*/
public static final int Toolbar_subtitle=17;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subtitleTextAppearance}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextAppearance
*/
public static final int Toolbar_subtitleTextAppearance=18;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#subtitleTextColor}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:subtitleTextColor
*/
public static final int Toolbar_subtitleTextColor=19;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#title}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a string value, using '\\;' to escape characters such as
* '\\n' or '\\uxxxx' for a unicode character;
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:title
*/
public static final int Toolbar_title=20;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleMargin}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMargin
*/
public static final int Toolbar_titleMargin=21;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleMarginBottom}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginBottom
*/
public static final int Toolbar_titleMarginBottom=22;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleMarginEnd}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginEnd
*/
public static final int Toolbar_titleMarginEnd=23;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleMarginStart}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginStart
*/
public static final int Toolbar_titleMarginStart=24;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleMarginTop}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMarginTop
*/
public static final int Toolbar_titleMarginTop=25;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleMargins}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleMargins
*/
public static final int Toolbar_titleMargins=26;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleTextAppearance}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextAppearance
*/
public static final int Toolbar_titleTextAppearance=27;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#titleTextColor}
* attribute's value can be found in the {@link #Toolbar} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:titleTextColor
*/
public static final int Toolbar_titleTextColor=28;
/**
* Attributes that can be used with a View.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #View_android_theme android:theme}</code></td><td></td></tr>
* <tr><td><code>{@link #View_android_focusable android:focusable}</code></td><td></td></tr>
* <tr><td><code>{@link #View_paddingEnd com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingEnd}</code></td><td></td></tr>
* <tr><td><code>{@link #View_paddingStart com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingStart}</code></td><td></td></tr>
* <tr><td><code>{@link #View_theme com.tradeschool.bhaskarsabnis.BlueshoreFinancial:theme}</code></td><td></td></tr>
* </table>
* @see #View_android_theme
* @see #View_android_focusable
* @see #View_paddingEnd
* @see #View_paddingStart
* @see #View_theme
*/
public static final int[] View={
0x01010000, 0x010100da, 0x7f03012e, 0x7f03012f,
0x7f030189
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#theme}
* attribute's value can be found in the {@link #View} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:theme
*/
public static final int View_android_theme=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#focusable}
* attribute's value can be found in the {@link #View} array.
*
* <p>May be a boolean value, such as "<code>true</code>" or
* "<code>false</code>".
* <p>Must be one of the following constant values.</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Constant</th><th>Value</th><th>Description</th></tr>
* <tr><td>auto</td><td>10</td><td></td></tr>
* </table>
*
* @attr name android:focusable
*/
public static final int View_android_focusable=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#paddingEnd}
* attribute's value can be found in the {@link #View} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingEnd
*/
public static final int View_paddingEnd=2;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#paddingStart}
* attribute's value can be found in the {@link #View} array.
*
* <p>May be a dimension value, which is a floating point number appended with a
* unit such as "<code>14.5sp</code>".
* Available units are: px (pixels), dp (density-independent pixels),
* sp (scaled pixels based on preferred font size), in (inches), and
* mm (millimeters).
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:paddingStart
*/
public static final int View_paddingStart=3;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#theme}
* attribute's value can be found in the {@link #View} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial: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.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTint}</code></td><td></td></tr>
* <tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTintMode}</code></td><td></td></tr>
* </table>
* @see #ViewBackgroundHelper_android_background
* @see #ViewBackgroundHelper_backgroundTint
* @see #ViewBackgroundHelper_backgroundTintMode
*/
public static final int[] ViewBackgroundHelper={
0x010100d4, 0x7f030034, 0x7f030035
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#background}
* attribute's value can be found in the {@link #ViewBackgroundHelper} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name android:background
*/
public static final int ViewBackgroundHelper_android_background=0;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.R.attr#backgroundTint}
* attribute's value can be found in the {@link #ViewBackgroundHelper} array.
*
* <p>May be a color value, in the form of "<code>#<i>rgb</i></code>",
* "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or
* "<code>#<i>aarrggbb</i></code>".
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTint
*/
public static final int ViewBackgroundHelper_backgroundTint=1;
/**
* <p>This symbol is the offset where the {@link com.tradeschool.bhaskarsabnis.BlueshoreFinancial.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>add</td><td>10</td><td></td></tr>
* <tr><td>multiply</td><td>e</td><td></td></tr>
* <tr><td>screen</td><td>f</td><td></td></tr>
* <tr><td>src_atop</td><td>9</td><td></td></tr>
* <tr><td>src_in</td><td>5</td><td></td></tr>
* <tr><td>src_over</td><td>3</td><td></td></tr>
* </table>
*
* @attr name com.tradeschool.bhaskarsabnis.BlueshoreFinancial:backgroundTintMode
*/
public static final int ViewBackgroundHelper_backgroundTintMode=2;
/**
* Attributes that can be used with a ViewStubCompat.
* <p>Includes the following attributes:</p>
* <table>
* <colgroup align="left" />
* <colgroup align="left" />
* <tr><th>Attribute</th><th>Description</th></tr>
* <tr><td><code>{@link #ViewStubCompat_android_id android:id}</code></td><td></td></tr>
* <tr><td><code>{@link #ViewStubCompat_android_layout android:layout}</code></td><td></td></tr>
* <tr><td><code>{@link #ViewStubCompat_android_inflatedId android:inflatedId}</code></td><td></td></tr>
* </table>
* @see #ViewStubCompat_android_id
* @see #ViewStubCompat_android_layout
* @see #ViewStubCompat_android_inflatedId
*/
public static final int[] ViewStubCompat={
0x010100d0, 0x010100f2, 0x010100f3
};
/**
* <p>This symbol is the offset where the {@link android.R.attr#id}
* attribute's value can be found in the {@link #ViewStubCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:id
*/
public static final int ViewStubCompat_android_id=0;
/**
* <p>This symbol is the offset where the {@link android.R.attr#layout}
* attribute's value can be found in the {@link #ViewStubCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:layout
*/
public static final int ViewStubCompat_android_layout=1;
/**
* <p>This symbol is the offset where the {@link android.R.attr#inflatedId}
* attribute's value can be found in the {@link #ViewStubCompat} array.
*
* <p>May be a reference to another resource, in the form
* "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme
* attribute in the form
* "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>".
*
* @attr name android:inflatedId
*/
public static final int ViewStubCompat_android_inflatedId=2;
}
} | [
"[email protected]"
] | |
7a23c3a0fee6d4ce405207af1c4b280eb00657f5 | fcd02ba5743539a2d0e05f5ff1c822b189719691 | /src/main/java/com/marceloalves/api/entities/Cliente.java | 075e0fcc247b832098e0709e204ebf2b10d1e218 | [] | no_license | marceloaagit/spring-boot-backend | 280d5c476df8b48a0b4aa5a7bb3ef945e929118f | 2a0806ba4afd51510ffb8c3188ac396b80271e6e | refs/heads/master | 2020-04-30T13:05:28.941260 | 2019-04-05T00:27:26 | 2019-04-05T00:27:26 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,085 | java | package com.marceloalves.api.entities;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.HashSet;
import java.util.List;
import java.util.Set;
import java.util.stream.Collectors;
import javax.persistence.CascadeType;
import javax.persistence.CollectionTable;
import javax.persistence.Column;
import javax.persistence.ElementCollection;
import javax.persistence.Entity;
import javax.persistence.FetchType;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.OneToMany;
import com.fasterxml.jackson.annotation.JsonIgnore;
import com.marceloalves.api.entities.enums.Perfil;
import com.marceloalves.api.entities.enums.TipoCliente;
@Entity
public class Cliente implements Serializable {
private static final long serialVersionUID = 1L;
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Integer id;
private String nome;
@Column(unique=true)
private String email;
private String cpfOuCnpj;
private Integer tipo;
@JsonIgnore
private String senha;
@OneToMany(mappedBy = "cliente", cascade=CascadeType.ALL)
private List<Endereco> enderecos = new ArrayList<>();
@ElementCollection
@CollectionTable(name = "TELEFONE")
private Set<String> telefones = new HashSet<>();
@ElementCollection(fetch=FetchType.EAGER)
@CollectionTable(name = "PERFIS")
private Set<Integer> perfis = new HashSet<>();
@JsonIgnore
@OneToMany(mappedBy = "cliente")
private List<Pedido> pedidos = new ArrayList<>();
public Cliente() {
addPerfil(Perfil.CLIENTE);
}
public Cliente(Integer id, String nome, String email, String cpfOuCnpj, TipoCliente tipo, String senha) {
this.id = id;
this.nome = nome;
this.email = email;
this.cpfOuCnpj = cpfOuCnpj;
this.tipo = (tipo == null) ? null: tipo.getCod();
this.senha = senha;
addPerfil(Perfil.CLIENTE);
}
public Set<Perfil> getPerfis(){
return perfis.stream().map(x -> Perfil.toEnum(x)).collect(Collectors.toSet());
}
public void addPerfil(Perfil perfil) {
perfis.add(perfil.getCod());
}
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public String getNome() {
return nome;
}
public void setNome(String nome) {
this.nome = nome;
}
public String getEmail() {
return email;
}
public void setEmail(String email) {
this.email = email;
}
public String getCpfOuCnpj() {
return cpfOuCnpj;
}
public void setCpfOuCnpj(String cpfOuCnpj) {
this.cpfOuCnpj = cpfOuCnpj;
}
public TipoCliente getTipo() {
return TipoCliente.toEnum(tipo);
}
public void setTipo(TipoCliente tipo) {
this.tipo = tipo.getCod();
}
public List<Endereco> getEnderecos() {
return enderecos;
}
public void setEnderecos(List<Endereco> enderecos) {
this.enderecos = enderecos;
}
public Set<String> getTelefones() {
return telefones;
}
public void setTelefones(Set<String> telefones) {
this.telefones = telefones;
}
public List<Pedido> getPedidos() {
return pedidos;
}
public void setPedidos(List<Pedido> pedidos) {
this.pedidos = pedidos;
}
public String getSenha() {
return senha;
}
public void setSenha(String senha) {
this.senha = senha;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((id == null) ? 0 : id.hashCode());
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (getClass() != obj.getClass())
return false;
Cliente other = (Cliente) obj;
if (id == null) {
if (other.id != null)
return false;
} else if (!id.equals(other.id))
return false;
return true;
}
@Override
public String toString() {
return "Cliente [id=" + id + ", nome=" + nome + ", email=" + email + ", cpfOuCnpj=" + cpfOuCnpj + ", tipo="
+ tipo + "]";
}
}
| [
"[email protected]"
] | |
e7f4770d115c2fe1a5e70a0cff6ac55ecca7edd9 | 80708c42a7a1ba17b238ee598f870d78a49bdaae | /src/com/example/campomagnetico/Adapter_Tabla.java | d256bb2f3dbb23fe7ecefca2c0bdf28d645ea5e7 | [] | no_license | Sermodi/campo-magnetico | 8c5b411cbfdcd0b586943f5f8c9c6b7065c08733 | 44c5c2143d8269f0aaf7fb341de441e4198b7bf9 | refs/heads/master | 2021-01-24T22:53:20.980873 | 2013-12-21T10:44:02 | 2013-12-21T10:44:02 | 17,443,834 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,716 | java | package com.example.campomagnetico;
import java.util.ArrayList;
import com.example.campomagnetico.R;
import Apartados.Medida;
import android.app.Activity;
import android.content.Context;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.BaseAdapter;
import android.widget.TextView;
/**
* Clase que se encarga de generar los compoenentes de la lista con
* dos valores
*
*/
public class Adapter_Tabla extends BaseAdapter {
Activity activity;
int numApartado;
ArrayList<Medida> arrayDatos;
public Adapter_Tabla(Activity activity, ArrayList<Medida> arrayDatos) {
super();
this.activity = activity;
this.arrayDatos = arrayDatos;
}
public int getCount() {
return arrayDatos.size();
}
public Object getItem(int position) {
return arrayDatos.get(position);
}
public long getItemId(int position) {
return 0;
}
public View getView(int position, View convertView, ViewGroup parent) {
View view = convertView;
ViewHolder holder;
if (convertView==null){
LayoutInflater inflater = (LayoutInflater)activity.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
view = inflater.inflate(R.layout.lista_valores_ap23, null);
holder= new ViewHolder();
holder.tvColumA = (TextView)view.findViewById(R.id.tvColumA_23);
holder.tvColumB = (TextView)view.findViewById(R.id.tvColumB_23);
view.setTag(holder);
}else {
holder = (ViewHolder)view.getTag();
}
Medida item = arrayDatos.get(position);
holder.tvColumA.setText(item.getValor1()+"");
holder.tvColumB.setText(item.getValor2()+"");
return view;
}
private class ViewHolder {
TextView tvColumA;
TextView tvColumB;
}
}
| [
"[email protected]"
] | |
f96cde995b57af6b397ca0d44a0f1a191ddb8fd3 | 736fef3dcf85164cf103976e1753c506eb13ae09 | /seccon_2015/Reverse-Engineering Android APK 1/files/source/src/android/support/v7/widget/Toolbar$ExpandedActionViewMenuPresenter.java | a36448b9d0fcf1902d16a788349b27fba04e9691 | [
"MIT"
] | permissive | Hamz-a/MyCTFWriteUps | 4b7dac9a7eb71fceb7d83966dc63cf4e5a796007 | ffa98e4c096ff1751f5f729d0ec882e079a6b604 | refs/heads/master | 2021-01-10T17:46:10.014480 | 2018-04-01T22:14:31 | 2018-04-01T22:14:31 | 47,495,748 | 3 | 1 | null | null | null | null | UTF-8 | Java | false | false | 4,362 | java | // Decompiled by Jad v1.5.8e. Copyright 2001 Pavel Kouznetsov.
// Jad home page: http://www.geocities.com/kpdus/jad.html
// Decompiler options: braces fieldsfirst space lnc
package android.support.v7.widget;
import android.content.Context;
import android.os.Parcelable;
import android.support.v7.internal.view.menu.MenuBuilder;
import android.support.v7.internal.view.menu.MenuItemImpl;
import android.support.v7.internal.view.menu.MenuPresenter;
import android.support.v7.internal.view.menu.MenuView;
import android.support.v7.internal.view.menu.SubMenuBuilder;
import android.support.v7.view.CollapsibleActionView;
import android.view.View;
import android.view.ViewGroup;
import android.widget.ImageButton;
// Referenced classes of package android.support.v7.widget:
// Toolbar
private class <init>
implements MenuPresenter
{
MenuItemImpl mCurrentExpandedItem;
MenuBuilder mMenu;
final Toolbar this$0;
public boolean collapseItemActionView(MenuBuilder menubuilder, MenuItemImpl menuitemimpl)
{
if (mExpandedActionView instanceof CollapsibleActionView)
{
((CollapsibleActionView)mExpandedActionView).onActionViewCollapsed();
}
removeView(mExpandedActionView);
removeView(Toolbar.access$300(Toolbar.this));
mExpandedActionView = null;
addChildrenForExpandedActionView();
mCurrentExpandedItem = null;
requestLayout();
menuitemimpl.setActionViewExpanded(false);
return true;
}
public boolean expandItemActionView(MenuBuilder menubuilder, MenuItemImpl menuitemimpl)
{
Toolbar.access$200(Toolbar.this);
if (Toolbar.access$300(Toolbar.this).getParent() != Toolbar.this)
{
addView(Toolbar.access$300(Toolbar.this));
}
mExpandedActionView = menuitemimpl.getActionView();
mCurrentExpandedItem = menuitemimpl;
if (mExpandedActionView.getParent() != Toolbar.this)
{
menubuilder = generateDefaultLayoutParams();
menubuilder._fld0 = 0x800003 | Toolbar.access$400(Toolbar.this) & 0x70;
menubuilder._fld0 = 2;
mExpandedActionView.setLayoutParams(menubuilder);
addView(mExpandedActionView);
}
removeChildrenForExpandedActionView();
requestLayout();
menuitemimpl.setActionViewExpanded(true);
if (mExpandedActionView instanceof CollapsibleActionView)
{
((CollapsibleActionView)mExpandedActionView).onActionViewExpanded();
}
return true;
}
public boolean flagActionItems()
{
return false;
}
public int getId()
{
return 0;
}
public MenuView getMenuView(ViewGroup viewgroup)
{
return null;
}
public void initForMenu(Context context, MenuBuilder menubuilder)
{
if (mMenu != null && mCurrentExpandedItem != null)
{
mMenu.collapseItemActionView(mCurrentExpandedItem);
}
mMenu = menubuilder;
}
public void onCloseMenu(MenuBuilder menubuilder, boolean flag)
{
}
public void onRestoreInstanceState(Parcelable parcelable)
{
}
public Parcelable onSaveInstanceState()
{
return null;
}
public boolean onSubMenuSelected(SubMenuBuilder submenubuilder)
{
return false;
}
public void setCallback(android.support.v7.internal.view.menu.ndedItem ndeditem)
{
}
public void updateMenuView(boolean flag)
{
if (mCurrentExpandedItem == null) goto _L2; else goto _L1
_L1:
boolean flag1;
boolean flag2;
flag2 = false;
flag1 = flag2;
if (mMenu == null) goto _L4; else goto _L3
_L3:
int i;
int j;
j = mMenu.size();
i = 0;
_L9:
flag1 = flag2;
if (i >= j) goto _L4; else goto _L5
_L5:
if (mMenu.getItem(i) != mCurrentExpandedItem) goto _L7; else goto _L6
_L6:
flag1 = true;
_L4:
if (!flag1)
{
collapseItemActionView(mMenu, mCurrentExpandedItem);
}
_L2:
return;
_L7:
i++;
if (true) goto _L9; else goto _L8
_L8:
}
private ()
{
this$0 = Toolbar.this;
super();
}
this._cls0(this._cls0 _pcls0)
{
this();
}
}
| [
"[email protected]"
] | |
acc050003f6c79cefc5ca1e68f88d011f8511998 | 92f0267d0878a6e9b81b7bf0f8ebff564377b8bb | /backend/src/main/java/com/sogoodlabs/flashcardsapp/util/JsonParsingFixUtils.java | d4cac7403538821f63528d09016ea2c02348ff1e | [] | no_license | lxdi/flashcards-web | 2a1671a94ef6b2657340e2c0e2537165e37432b7 | c57e0822a8b57b179ff5d341e2770e891a08fc2c | refs/heads/master | 2023-03-05T13:47:09.865860 | 2021-02-17T18:08:44 | 2021-02-17T18:08:44 | 334,235,647 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 356 | java | package com.sogoodlabs.flashcardsapp.util;
public class JsonParsingFixUtils {
public static Long returnLong(Object input){
if(input instanceof Long){
return (Long) input;
}
if(input instanceof Integer){
return Long.valueOf((Integer)input);
}
throw new NumberFormatException();
}
}
| [
"[email protected]"
] | |
de863e23dd286681044bf445616cdf4c037b37b4 | 1c5d5ca8d6f9707bfb6da52cb67f270d08c25925 | /lottery-core/src/main/java/com/yd/lottery/core/util/AliOSSUtils.java | 4097eedd018ba1d2ef28ae74048dae5a3d5f5c44 | [] | no_license | weiliangzhou/vue-admin-api | 78df60048a4f64830086e218e3196f468bc5c0d5 | ae4774c0a0f68882f15ef2dbd8e4d710c32c26b6 | refs/heads/master | 2022-08-13T07:11:34.134335 | 2019-11-12T05:27:02 | 2019-11-12T05:27:02 | 221,134,904 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 3,013 | java | package com.yd.lottery.core.util;
import com.aliyun.oss.ClientException;
import com.aliyun.oss.OSSClient;
import com.aliyun.oss.OSSException;
import com.aliyun.oss.internal.OSSHeaders;
import com.aliyun.oss.model.*;
import lombok.extern.slf4j.Slf4j;
import java.io.File;
import java.text.SimpleDateFormat;
import java.util.Date;
/**
* OSS上传工具类
*/
@Slf4j
public class AliOSSUtils {
/**
* 管理控制台里面获取EndPoint
*/
private final static String END_POINT = "oss-cn-hangzhou.aliyuncs.com";
// private final static String END_POINT = "oss-cn-hangzhou-internal.aliyuncs.com";
/**
* 云账号AccessKey有所有API访问权限,建议遵循阿里云安全最佳实践,创建并使用RAM子账号进行API访问或日常运维,请登录 https://ram.console.aliyun.com 创建
*/
private final static String ACCESS_KEY_ID = "************";
private final static String ACCESS_KEY_SECRET = "***************";
/**
* 上传的BUCKET名称
*/
private final static String BUCKET_NAME = "testcjduck";
/**
* 管理控制台里面获取的访问域名
*/
private final static String FILE_HOST = "oss-cn-hangzhou.aliyuncs.com";
/**
* 上传文件到bucket
*
* @param file 本地文件
* @return 访问地址
*/
public static String uploadLocalFile(File file) {
if (file == null) {
return null;
}
//生成唯一的文件名
SimpleDateFormat df = new SimpleDateFormat("yyyyMMdd");
df.format(new Date());
String filePath = "upload/images/" + df.format(new Date()) + "/" + System.currentTimeMillis() + file.getName().substring(file.getName().lastIndexOf("."));
// 创建OSSClient实例
OSSClient ossClient = new OSSClient(END_POINT, ACCESS_KEY_ID, ACCESS_KEY_SECRET);
ObjectMetadata metadata = new ObjectMetadata();
metadata.setHeader(OSSHeaders.OSS_STORAGE_CLASS, StorageClass.Standard.toString());
// metadata.setObjectAcl(CannedAccessControlList.Private);
metadata.setObjectAcl(CannedAccessControlList.PublicRead);
try {
// 上传文件
PutObjectResult result = ossClient.putObject(new PutObjectRequest(BUCKET_NAME, filePath, file,metadata));
if (null != result) {
// 拼装访问地址
String url;
StringBuffer sb = new StringBuffer();
sb.append("http://").append(BUCKET_NAME).append(".").append(FILE_HOST).append("/").append(filePath);
url = sb.toString();
return url;
} else {
log.info(result.toString());
return null;
}
} catch (OSSException | ClientException oe) {
log.error("OSS上传失败:", oe);
oe.printStackTrace();
return null;
} finally {
// 关闭OSS服务
ossClient.shutdown();
}
}
}
| [
"[email protected]"
] | |
0daf604846932359eab60075df09bf83b8347b63 | 30ae05379fde01ab4d7e4319cd4856bc01f89114 | /graspj/src/main/java/eu/brede/graspj/datatypes/DefocusingCurve.java | 8d06000e634e7bc580f8dded1f046615e91e1e74 | [] | no_license | isman7/graspj | ac6b6b66f229e83308cd596569161ccecd394fb9 | 3604d38f33740c4af957f3b841e4f04f7e5498de | refs/heads/master | 2020-05-18T16:33:24.446670 | 2017-01-07T17:34:14 | 2017-01-07T17:34:14 | 39,431,814 | 3 | 0 | null | null | null | null | UTF-8 | Java | false | false | 736 | java | package eu.brede.graspj.datatypes;
import java.nio.FloatBuffer;
import eu.brede.graspj.utils.Buffers;
import eu.brede.common.config.EnhancedConfig;
public class DefocusingCurve extends EnhancedConfig {
/**
*
*/
private static final long serialVersionUID = 1L;
public DefocusingCurve() {
put("s0", Float.valueOf(0));
put("g", Float.valueOf(0));
put("d", Float.valueOf(0));
put("A", Float.valueOf(0));
put("B", Float.valueOf(0));
}
public FloatBuffer asBuffer() {
FloatBuffer buffer = Buffers.newDirectFloatBuffer(5);
buffer.put(getFloat("s0"));
buffer.put(getFloat("g"));
buffer.put(getFloat("d"));
buffer.put(getFloat("A"));
buffer.put(getFloat("B"));
buffer.rewind();
return buffer;
}
}
| [
"[email protected]"
] | |
5ec85d2302cbb0d237134892f9ad38379b85efe3 | eee7435b0c9c4e05838173e3ed528f5f490d17a0 | /src/me/friskit/hw/furp/action/ajax/CollegeAndDepartmentAdmin/GetDepartmentInfoAction.java | 19717812d39e6d2fa4a0c6dd6c997ee1fe476b94 | [] | no_license | friskit-china/URP | 5d0ffd05ea4f526226732abe2b3f9b3ab184575f | 69209e61f7e7a39dd82387387a8e87bd6c0f012f | refs/heads/master | 2021-01-10T20:22:07.816428 | 2013-01-15T10:10:52 | 2013-01-15T10:10:52 | 7,146,302 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,199 | java | package me.friskit.hw.furp.action.ajax.CollegeAndDepartmentAdmin;
import java.util.List;
import org.hibernate.Query;
import org.hibernate.Session;
import org.hibernate.Transaction;
import me.friskit.hw.furp.orm.HibernateSessionFactory;
import me.friskit.hw.furp.orm.entity.UrpDepartment;
import com.opensymphony.xwork2.ActionSupport;
public class GetDepartmentInfoAction extends ActionSupport {
/**
*
*/
private static final long serialVersionUID = -970419089598650631L;
private List<UrpDepartment> data;
private String total;
public List<UrpDepartment> getData() {
return data;
}
public void setData(List<UrpDepartment> data) {
this.data = data;
}
public String getTotal() {
return total;
}
public void setTotal(String total) {
this.total = total;
}
@Override
public String execute() throws Exception {
// TODO Auto-generated method stub
Session session = HibernateSessionFactory.getSession();
Transaction trans = session.beginTransaction();
Query query = session.createQuery("from UrpDepartment");
this.data = query.list();
this.total = data.size()+"";
trans.commit();
HibernateSessionFactory.closeSession();
return SUCCESS;
}
}
| [
"[email protected]"
] | |
034561103fa906c5cb6fe0021b263b927e125207 | e9ed001ead9f70ea4a829fcdbea173d19c894b7a | /src/reportsWithoutActualTax/Verify_HourlySale_Report.java | a8548260a554b1b7209dcbfb20effbbee78868f6 | [] | no_license | Ragavan-01/Linga_BO1 | 27657f946985c727fbb1774b71c24ceacbd2b943 | e15c808a993f52417c0587a54ff29da2c9dca0d0 | refs/heads/master | 2023-02-10T22:39:13.846892 | 2021-01-05T09:59:58 | 2021-01-05T09:59:58 | 326,900,806 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 25,906 | java | package reportsWithoutActualTax;
import java.util.List;
import java.util.concurrent.TimeUnit;
import org.openqa.selenium.By;
import org.openqa.selenium.JavascriptExecutor;
import org.openqa.selenium.Keys;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.WebElement;
import org.openqa.selenium.chrome.ChromeDriver;
import org.testng.annotations.AfterClass;
import org.testng.annotations.Test;
import com.relevantcodes.extentreports.ExtentReports;
import com.relevantcodes.extentreports.ExtentTest;
import com.relevantcodes.extentreports.LogStatus;
import epicList_Chrome.Utility;
public class Verify_HourlySale_Report {
public WebDriver driver;
ExtentReports rep = ExtentManager.getInstance();
ExtentTest test = rep.startTest("Verify_HourlySale_Report");
float unknownValue = 00;
@AfterClass
public void flushTest() throws Exception
{
Thread.sleep(2000);
rep.endTest(test);
rep.flush();
}
@Test(priority=1)
public void login() throws Exception
{
//Call the chrome driver
System.setProperty("webdriver.chrome.driver",Utility.getProperty("Chrome_Driver_Path"));
//Open the Chrome window
driver = new ChromeDriver();
//Wait for 30 seconds
driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);
//Maximize the Chrome window
driver.manage().window().maximize();
//Launch the URL
driver.get(Utility.getProperty("appURL"));
//Clear the text from the user name text box
driver.findElement(By.name("txtusername")).clear();
//Enter the user name
driver.findElement(By.name("txtusername")).sendKeys(Utility.getProperty("userName"));
//Clear the password from the password text box
driver.findElement(By.name("txtpassword")).clear();
//Enter the password
driver.findElement(By.name("txtpassword")).sendKeys(Utility.getProperty("password"));
//Click the login button
driver.findElement(By.name("submitlogin")).click();
//Check if we logged in or not
if(driver.findElement(By.xpath("//span[.='Live Updates']")).getText().equalsIgnoreCase("Live Updates"))
{
test.log(LogStatus.PASS, "User Logged in Successfully");
}
else
{
test.log(LogStatus.FAIL, "User Logged in Failed");
}
Thread.sleep(5000);
}
@Test(priority=40)
public void logout() throws InterruptedException
{
JavascriptExecutor je = (JavascriptExecutor) driver;
//Identify the WebElement which will appear after scrolling down
WebElement element = driver.findElement(By.xpath("//div[@id='side-bar']/div/div[1]/div[1]/div[2]/div/div/div/div[4]/a/i"));
//Scroll the page till the Reason option present
je.executeScript("arguments[0].scrollIntoView(true);",element);
//Wait for 30 seconds
driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);
// Click on Logout button
driver.findElement(By.xpath("//div[@id='side-bar']/div/div[1]/div[1]/div[2]/div/div/div/div[4]/a/i")).click();
driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);
Thread.sleep(5000);
//Check whether user get logged out or not
if(driver.findElement(By.xpath("//div[@id='x-content-band-1']/div/div[2]/h2")).getText().equalsIgnoreCase("Account Login"))
{
test.log(LogStatus.PASS, "User Logged out Successfully");
}
else
{
test.log(LogStatus.FAIL, "User Logged out Failed");
}
Thread.sleep(5000);
//Close the Browser
driver.close();
}
@Test(priority=2)
public void open_Hourly_Sale_Report() throws Exception
{
//Click the Reports option
driver.findElement(By.xpath("//span[.='Reports']")).click();
// Create instance of Java script executor
JavascriptExecutor je = (JavascriptExecutor) driver;
//Identify the WebElement which will appear after scrolling down
WebElement element = driver.findElement(By.xpath("//span[.='Sale']"));
//Scroll the page till the Sale option present
je.executeScript("arguments[0].scrollIntoView(true);",element);
//Click the Sale Option
driver.findElement(By.xpath("//span[.='Sale']")).click();
Thread.sleep(5000);
//Check Sale Report page opened or not
if(driver.findElement(By.xpath("//a[.='Sale report']")).getText().equalsIgnoreCase("Sale report"))
{
test.log(LogStatus.PASS, "Sale report page loaded Successfully");
}
else
{
test.log(LogStatus.FAIL, "Sale report page loaded Failed");
}
Thread.sleep(4000);
//Click the Modifier Sale Report
driver.findElement(By.xpath("//span[.=' Hourly Sale ']")).click();
Thread.sleep(3000);
//Check weather the Modifier Sale Report page is loaded or not
if(driver.findElement(By.xpath("//li[@class='uib-tab nav-item ng-isolate-scope active']/a/uib-tab-heading/span")).getText().equalsIgnoreCase("Hourly Sale"))
{
test.log(LogStatus.PASS, "Hourly Sale Report page loaded successfully");
}
else
{
test.log(LogStatus.FAIL, "Hourly Sale Report page loaded fail");
}
Thread.sleep(5000);
}
@Test(priority=12)
public void hourly_Sale_Report_For_Specific_Date() throws Exception
{
Thread.sleep(2000);
WebElement html = driver.findElement(By.tagName("html"));
html.sendKeys(Keys.chord(Keys.CONTROL, Keys.SUBTRACT));
html.sendKeys(Keys.chord(Keys.CONTROL, Keys.SUBTRACT));
html.sendKeys(Keys.chord(Keys.CONTROL, Keys.SUBTRACT));
html.sendKeys(Keys.chord(Keys.CONTROL, Keys.SUBTRACT));
Thread.sleep(3000);
//Click the Time Period option
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[1]/div/div/a")).click();
//Enter the required Time Period
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[1]/div/div/div/div/input")).sendKeys("Date Range");
//Press the Enter Key
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[1]/div/div/div/div/input")).sendKeys(Keys.ENTER);
Thread.sleep(2000);
//Clear the date field
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[2]/div/div/input[1]")).clear();
//Enter the date
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[2]/div/div/input[1]")).sendKeys(Utility.getReportProperty("Date_Range_From"));
Thread.sleep(2000);
//Clear the date field
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[2]/div/div/input[2]")).clear();
//Enter the date
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[1]/div/form/div[2]/div/div/input[2]")).sendKeys(Utility.getReportProperty("Date_Range_To"));
Thread.sleep(2000);
//Click the Run Button
driver.findElement(By.xpath("//button[@type='submit']")).click();
Thread.sleep(3000);
//Check weather the report is available for the selected time period
if(driver.findElement(By.xpath("//h3[.='No sale for selected time period']")).isDisplayed())
{
test.log(LogStatus.FAIL, "Hourly Sale Report is not available for Specific Date");
}
else
{
test.log(LogStatus.PASS, "Hourly Sale Report available for Specific Date");
Thread.sleep(3000);
//Check Weather the Top 5 hourly sale available or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[5]/div/div[1]/div/div[1]/div[1]")).isDisplayed())
{
test.log(LogStatus.PASS, "Here Top 5 Hourly Sale Report available for Specific Date");
Thread.sleep(2000);
//Click the down arrow button of chart type
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[5]/div/div[1]/div/div[1]/div[2]/div/button[2]")).click();
Thread.sleep(1000);
//Click the Pie chart option
driver.findElement(By.xpath("//a[.='Pie']")).click();
Thread.sleep(2000);
test.log(LogStatus.INFO, "There is Pie Chart available");
Thread.sleep(3000);
Thread.sleep(2000);
//Click the down arrow button of chart type
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[5]/div/div[1]/div/div[1]/div[2]/div/button[2]")).click();
Thread.sleep(1000);
//Click the Polar Area chart option
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[5]/div/div[1]/div/div[1]/div[2]/div/ul/li[2]/a")).click();
Thread.sleep(2000);
test.log(LogStatus.INFO, "There is Polar Area Chart available");
Thread.sleep(3000);
Thread.sleep(2000);
//Click the down arrow button of chart type
driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[5]/div/div[1]/div/div[1]/div[2]/div/button[2]")).click();
Thread.sleep(1000);
//Click the Bar chart option
driver.findElement(By.xpath("//a[.='Bar']")).click();
Thread.sleep(2000);
test.log(LogStatus.INFO, "There is Bar Chart available");
Thread.sleep(3000);
}
else
{
test.log(LogStatus.FAIL, "Here Top 5 Hourly Sale Report not available for Specific Date");
}
Thread.sleep(5000);
//Check weather the report graph is available or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[5]/div/div[2]/div/canvas")).isDisplayed())
{
test.log(LogStatus.PASS, "There is Graphical type of Hourly sale report is available for Specific Date");
}
else
{
test.log(LogStatus.FAIL, "Graphical report is not available for Specific Date");
}
Thread.sleep(5000);
//Check weather the table format report is available or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table")).isDisplayed())
{
test.log(LogStatus.PASS, "Table Format Report is available for Specific Date");
Thread.sleep(3000);
//No.of rows
List<WebElement> rows = driver.findElements(By.xpath (".//*[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr"));
/* //Print number of Rows
System.out.println("Number of Rows are : "+rows);*/
//Replace all commo's with empty space
String expected1 = Utility.getReportProperty("Sale_Report_Net_Sale").replace(",", "");
//Convert the String value of the Sale_Report_Net_Sale element into float value
float expect1 = Float.parseFloat(expected1);
//Replace all commo's with empty space
String expected2 = Utility.getReportProperty("Sale_Report_Tax").replace(",", "");
//Convert the String value of the Sale_Report_Tax element into float value
float expect2 = Float.parseFloat(expected2);
//Replace all commo's with empty space
String expected3 = Utility.getReportProperty("Sale_Report_Discount").replace(",", "");
//Convert the String value of the Sale_Report_Discount element into float value
float expect3 = Float.parseFloat(expected3);
//Replace all commo's with empty space
String expected4 = Utility.getReportProperty("Sale_Report_Grand_Sale").replace(",", "");
//Convert the String value of the Sale_Report_Grand_Sale element into float value
float expect4= Float.parseFloat(expected4);
//Replace all commo's with empty space
String expected5 = Utility.getReportProperty("Hourly_Sale_Report_Number_Of_Customer").replace(",", "");
//Convert the String value of the Hourly_Sale_Report_Number_Of_Customer element into float value
float expect5 = Float.parseFloat(expected5);
//Check weather the Net Sale is correct or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[3]/span")).getText().equals(Utility.getReportProperty("Sale_Report_Net_Sale")))
{
test.log(LogStatus.PASS, "Actual and Expected Hourly Sale reports are same for Sale Amount");
//Get the Total value of Sale Amount
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[3]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Net Sale Total element into float value
float actual = Float.parseFloat(actualText);
//Print the actual value
System.out.println("The Actual Net Sale Value is : "+actual);
test.log(LogStatus.PASS, "The Actual Net Sale Value is : "+ actual);
}
else if(expect1 == unknownValue)
{
test.log(LogStatus.PASS, "Here we don't have the exact expected value");
//Get the Total value of Net Sale
String actualText = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[3]/span")).getText();
System.out.println("The Actual Net Sale value is : "+actualText);
test.log(LogStatus.INFO, "The Actual Net Sale value is : "+actualText);
}
else
{
test.log(LogStatus.FAIL, "Actual and Expected Hourly Sale reports are different for Sale Amount");
//Get the Total value of Sale Amount
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[3]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the net sale amount Total element into float value
float actual = Float.parseFloat(actualText);
//Get the different
float different = actual - expect1;
//Print the different value
System.out.println("Net Sale Value different is : "+different);
test.log(LogStatus.FAIL, "Net Sale Value different is : "+different);
}
//Check weather the Tax Report is correct or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[4]/span")).getText().equals(Utility.getReportProperty("Sale_Report_Tax")))
{
test.log(LogStatus.PASS, "Actual and Expected Hourly Sale reports are same for Tax");
//Get the Total value of Tax
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[4]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Tax Total element into float value
float actual = Float.parseFloat(actualText);
//Print the actual value
System.out.println("The Actual Tax Value is : "+actual);
test.log(LogStatus.PASS, "The Actual Tax Value is : "+ actual);
}
else if(expect2 == unknownValue)
{
test.log(LogStatus.PASS, "Here we don't have the exact expected value");
//Get the Total value of Tax
String actualText = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[4]/span")).getText();
System.out.println("The Actual Tax value is : "+actualText);
test.log(LogStatus.INFO, "The Actual Tax value is : "+actualText);
}
else
{
test.log(LogStatus.FAIL, "Actual and Expected Hourly Sale reports are different for Tax");
//Get the Total value of Tax
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[4]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Tax Total element into float value
float actual = Float.parseFloat(actualText);
//Get the different
float different = actual - expect2;
//Print the different value
System.out.println("Tax Value different is : "+different);
test.log(LogStatus.FAIL, "Tax Value different is : "+different);
}
//Check weather the Discount Report is correct or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[5]/span")).getText().equals(Utility.getReportProperty("Sale_Report_Discount")))
{
test.log(LogStatus.PASS, "Actual and Expected Hourly Sale reports are same for Discount");
//Get the Total value of Discount
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[5]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Discount Total element into float value
float actual = Float.parseFloat(actualText);
//Print the actual value
System.out.println("The Actual Discount Value is : "+actual);
test.log(LogStatus.PASS, "The Actual Discount Value is : "+ actual);
}
else if(expect3 == unknownValue)
{
test.log(LogStatus.PASS, "Here we don't have the exact expected value");
//Get the Total value of Discount
String actualText = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[5]/span")).getText();
System.out.println("The Actual Discount value is : "+actualText);
test.log(LogStatus.INFO, "The Actual Discount value is : "+actualText);
}
else
{
test.log(LogStatus.FAIL, "Actual and Expected Hourly Sale reports are different for Discount");
//Get the Total value of Discount
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[5]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Discount Total element into float value
float actual = Float.parseFloat(actualText);
//Get the different
float different = actual - expect3;
//Print the different value
System.out.println("Discount Value different is : "+different);
test.log(LogStatus.FAIL, "Discount Value different is : "+different);
}
//Check weather the Grand Sale Report is correct or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[6]/span")).getText().equals(Utility.getReportProperty("Sale_Report_Grand_Sale")))
{
test.log(LogStatus.PASS, "Actual and Expected Hourly Sale reports are same for Grand Sale");
//Get the Total value of Grand Sale
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[6]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Grand Sale Total element into float value
float actual = Float.parseFloat(actualText);
//Print the actual value
System.out.println("The Actual Grand Sale Value is : "+actual);
test.log(LogStatus.PASS, "The Actual Grand Sale Value is : "+ actual);
}
else if(expect4 == unknownValue)
{
test.log(LogStatus.PASS, "Here we don't have the exact expected value");
//Get the Total value of Sale Report
String actualText = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[6]/span")).getText();
System.out.println("The Actual Grand Sale value is : "+actualText);
test.log(LogStatus.INFO, "The Actual Grand Sale value is : "+actualText);
}
else
{
test.log(LogStatus.FAIL, "Actual and Expected Hourly Sale reports are different for Grand Sale");
//Get the Total value of Grand Sale
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[6]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Grand Sale Total element into float value
float actual = Float.parseFloat(actualText);
//Get the different
float different = actual - expect4;
//Print the different value
System.out.println("Grand Sale Value different is : "+different);
test.log(LogStatus.FAIL, "Grand Sale Value different is : "+different);
}
//Check weather the Number of Customer Report is correct or not
if(driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[7]/span")).getText().equals(Utility.getReportProperty("Hourly_Sale_Report_Number_Of_Customer")))
{
test.log(LogStatus.PASS, "Actual and Expected Hourly Sale reports are same for Number of Customer");
//Get the Total value of Number of Customer
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[7]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Number of Customer Total element into float value
float actual = Float.parseFloat(actualText);
//Print the actual value
System.out.println("The Actual Number of Customer Value is : "+actual);
test.log(LogStatus.PASS, "The Actual Number of Customer Value is : "+ actual);
}
else if(expect5 == unknownValue)
{
test.log(LogStatus.PASS, "Here we don't have the exact expected value");
//Get the Total value of Number of Customer
String actualText = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[7]/span")).getText();
System.out.println("The Actual Number of Customer value is : "+actualText);
test.log(LogStatus.INFO, "The Actual Number of Customer value is : "+actualText);
}
else
{
test.log(LogStatus.FAIL, "Actual and Expected Hourly Sale reports are different for Number of Customer");
//Get the Total value of Number of Customer
String actualText1 = driver.findElement(By.xpath("//div[@id='main-container']/div[2]/div/div/div[2]/div[2]/div/div/div/div/div[7]/div/table/tbody/tr["+rows.size()+"]/td[7]/span")).getText();
//Replace all commo's with empty space
String actualText= actualText1.replace(",", "");
//Convert the String value of the Number of Customer Total element into float value
float actual = Float.parseFloat(actualText);
//Get the different
float different = actual - expect5;
//Print the different value
System.out.println("Number of Customer Value different is : "+different);
test.log(LogStatus.FAIL, "Number of Customer Value different is : "+different);
}
}
else
{
test.log(LogStatus.FAIL, "Table Format Report is not available for Specific Date");
}
}
}
}
| [
"[email protected]"
] | |
9a2818dfde5cd880ce828a8db9caca97e8701594 | d27900ce237c0b8711d51e150b51146f7d7ca01f | /src/adapter/player/impl/ShotingGaurd.java | 2b06bfd63dd15a31f6f8927e195ee5a50a7bb95f | [] | no_license | peter517/DesignMode | adf7fa42d984fc46ff0d6bf3f34f7489e6e31530 | c2c47da26464e53f8064f8937d886434c67c8718 | refs/heads/master | 2020-06-04T01:56:15.075643 | 2013-05-18T02:37:38 | 2013-05-18T02:37:38 | 7,953,412 | 0 | 1 | null | null | null | null | UTF-8 | Java | false | false | 316 | java | package adapter.player.impl;
import adapter.player.BasketballTeamMember;
public class ShotingGaurd implements BasketballTeamMember {
@Override
public void attack() {
System.out.println("后卫进攻");
}
@Override
public void defense() {
System.out.println("后卫进攻");
}
}
| [
"[email protected]"
] | |
009a5c1932f6ebe6ad6f86f0260ea38d561784ca | b02db8cc4ce04ed035802b83955b3617b40eb5d4 | /TetrisGame/StudentPlayer.java | 15e703318999d9316aef3b770d7c230dd02b9d20 | [] | no_license | rdcranfield/TetrisRef | 95de46263d32c4f966746e33dfb03ac650add504 | a0c82b893003abdc1052e08c1619203060cc3bb4 | refs/heads/master | 2020-03-23T10:21:57.449892 | 2018-07-19T15:36:17 | 2018-07-19T15:36:17 | 141,439,165 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 243 | java | package TetrisGame;
public class StudentPlayer extends Player{
String regno;
public String getRegno() {
return regno;
}
public StudentPlayer(String name, String regno) {
super(name);
this.regno = regno;
}
}
| [
"[email protected]"
] | |
4c6a761832807e0d5770e6f5b29dcad2395b7628 | 343d87d45419b00603aeda4106993f1e7bacaee5 | /src/test/java/newance/psmcombiner/CometMaxQuantPsmMergerTest.java | 322650b9bc0404b10c700efa26fd7aa033b4e7af | [] | no_license | rellum-sukram/NewAnce-1 | c1439f31ca7626f24a70c18e7525c1f517a7d1d2 | f3f98379b7fca42494de9b6d1e57d71a96fd877f | refs/heads/master | 2021-07-13T08:35:19.929976 | 2020-01-28T18:47:58 | 2020-01-28T18:47:58 | 236,981,119 | 0 | 0 | null | 2020-01-29T12:51:31 | 2020-01-29T12:51:31 | null | UTF-8 | Java | false | false | 6,807 | java | /**
* Copyright (C) 2019, SIB/LICR. All rights reserved
*
* SIB, Swiss Institute of Bioinformatics
* Ludwig Institute for Cancer Research (LICR)
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice, this
* list of conditions and the following disclaimer. Redistributions in binary
* form must reproduce the above copyright notice, this list of conditions and
* the following disclaimer in the documentation and/or other materials provided
* with the distribution. Neither the name of the SIB/LICR nor the names of
* its contributors may be used to endorse or promote products derived from this
* software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL SIB/LICR BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
* (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
* LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
* ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
*/
package newance.psmcombiner;
import gnu.trove.map.TObjectDoubleMap;
import gnu.trove.map.hash.TObjectDoubleHashMap;
import newance.psmconverter.PeptideSpectrumMatch;
import org.expasy.mzjava.proteomics.mol.Peptide;
import newance.util.NewAnceParams;
import org.junit.Assert;
import org.junit.Test;
import java.util.*;
import java.util.concurrent.ConcurrentHashMap;
/**
* @author Markus Müller
*/
public class CometMaxQuantPsmMergerTest {
@Test
public void test_merge() {
ConcurrentHashMap<String, List<PeptideSpectrumMatch>> cometPsms = getCometPsms();
ConcurrentHashMap<String, List<PeptideSpectrumMatch>> mqPsms = getMQPsms();
ConcurrentHashMap<String, List<PeptideSpectrumMatch>> combined = new ConcurrentHashMap<>();
CometMaxQuantPsmMerger combiner = new CometMaxQuantPsmMerger(mqPsms,combined);
cometPsms.forEach(combiner);
Assert.assertTrue(combined.size()==1);
Assert.assertTrue(combined.get("spec1").size()==2);
Assert.assertEquals("PEPTIDE",combined.get("spec1").get(0).getPeptide().toString());
Assert.assertEquals("PEPTIDER",combined.get("spec1").get(1).getPeptide().toString());
}
public static ConcurrentHashMap<String, List<PeptideSpectrumMatch>> getCometPsms()
{
ConcurrentHashMap<String, List<PeptideSpectrumMatch>> psms = new ConcurrentHashMap<>();
Set<String> prots = new HashSet<>();
prots.add("protein1");
prots.add("protein2");
TObjectDoubleMap<String> scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("xcorr",1.0);
scoreMap.put("deltacn",0.1);
scoreMap.put("spscore",100.0);
PeptideSpectrumMatch peptideSpectrumMatch1 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDE"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("xcorr",2.0);
scoreMap.put("deltacn",0.2);
scoreMap.put("spscore",200.0);
PeptideSpectrumMatch peptideSpectrumMatch2 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDER"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
psms.put("spec1",Collections.synchronizedList(new ArrayList<>()));
psms.get("spec1").add(peptideSpectrumMatch1);
psms.get("spec1").add(peptideSpectrumMatch2);
scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("xcorr",3.0);
scoreMap.put("deltacn",0.3);
scoreMap.put("spscore",300.0);
peptideSpectrumMatch1 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDE"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
psms.put("spec2",Collections.synchronizedList(new ArrayList<>()));
psms.get("spec2").add(peptideSpectrumMatch1);
peptideSpectrumMatch1 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDE"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
psms.put("spec5",Collections.synchronizedList(new ArrayList<>()));
psms.get("spec5").add(peptideSpectrumMatch1);
return psms;
}
public static ConcurrentHashMap<String, List<PeptideSpectrumMatch>> getMQPsms()
{
ConcurrentHashMap<String, List<PeptideSpectrumMatch>> psms = new ConcurrentHashMap<>();
Set<String> prots = new HashSet<>();
prots.add("protein1");
prots.add("protein2");
NewAnceParams params = NewAnceParams.getInstance();
TObjectDoubleMap<String> scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("Score",1.0);
PeptideSpectrumMatch peptideSpectrumMatch1 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDE"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("Score",2.0);
PeptideSpectrumMatch peptideSpectrumMatch2 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDER"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
psms.put("spec1",Collections.synchronizedList(new ArrayList<>()));
psms.get("spec1").add(peptideSpectrumMatch1);
psms.get("spec1").add(peptideSpectrumMatch2);
scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("Score",3.0);
peptideSpectrumMatch1 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDER"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
psms.put("spec2",Collections.synchronizedList(new ArrayList<>()));
psms.get("spec2").add(peptideSpectrumMatch1);
scoreMap = new TObjectDoubleHashMap<>();
scoreMap.put("Score",4.0);
peptideSpectrumMatch1 = new PeptideSpectrumMatch("spectrumFile",Peptide.parse("PEPTIDE"), prots, scoreMap, 1, 1,
100, 101, 1001.1, false, false, null, null);
psms.put("spec3",Collections.synchronizedList(new ArrayList<>()));
psms.get("spec3").add(peptideSpectrumMatch1);
return psms;
}
}
| [
"Kurfuersten_20"
] | Kurfuersten_20 |
897df75be2f1e546d64ec399770d8c2b380ffb9f | 343b9858edb5959ed891914035ef115024a82aa0 | /01_Iteration/MyTeacher.java | 71d865a1d90c4dd8e6bcefc47a0d6f220ced0aeb | [] | no_license | kanesaka/DesginPattern | f4a23c2b14efcf3c9263454bd4fb0171de67ed90 | ce4fb1211a13593a34167397bdd8516b3fdfac88 | refs/heads/master | 2020-05-19T15:32:50.670980 | 2015-08-14T12:56:15 | 2015-08-14T12:56:15 | 40,467,669 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 555 | java | public class MyTeacher extends Teacher {
public void createStudentList() {
studentList = new StudentList(5);
studentList.add(new Student("赤井亮太", 1));
studentList.add(new Student("岡田美央", 2));
studentList.add(new Student("赤羽里美", 2));
studentList.add(new Student("中ノ森玲菜", 2));
studentList.add(new Student("西森俊介", 1));
}
public void callStudents() {
for(int i = 0; i < studentList.getLastNum(); i++)
System.out.println(((Student) studentList.getStudentAt(i)).getName());
}
}
| [
"[email protected]"
] | |
47538b9f2fab1459fd919a71a832260ae9ec0031 | 95e944448000c08dd3d6915abb468767c9f29d3c | /sources/com/bytedance/ies/abmock/p260a/C6383c.java | 7e50b4b772d216f62a269b0278e020df57d161b8 | [] | no_license | xrealm/tiktok-src | 261b1faaf7b39d64bb7cb4106dc1a35963bd6868 | 90f305b5f981d39cfb313d75ab231326c9fca597 | refs/heads/master | 2022-11-12T06:43:07.401661 | 2020-07-04T20:21:12 | 2020-07-04T20:21:12 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 345 | java | package com.bytedance.ies.abmock.p260a;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
/* renamed from: com.bytedance.ies.abmock.a.c */
public @interface C6383c {
}
| [
"[email protected]"
] | |
2093820f4c75bf1334bb8cb0af8b9d8f334470be | f1f6909c61a2a1684cc603c4759e64e2f72952a6 | /src/main/java/com/direwolf20/buildinggadgets/common/inventory/materials/package-info.java | 692fad420cf9304d127c8d93faf7ace1f33c47d8 | [
"MIT"
] | permissive | Tschipp/BuildingGadgets | b57a68b3b081ccf09cd8267711c7020a99444856 | ab80891dd92ab89fd340ee6228e2871f4e1214c5 | refs/heads/master | 2022-11-16T16:23:23.505162 | 2020-06-14T15:56:56 | 2020-06-14T15:56:56 | 273,674,580 | 0 | 0 | MIT | 2020-06-20T09:07:23 | 2020-06-20T09:07:22 | null | UTF-8 | Java | false | false | 227 | java | @ParametersAreNonnullByDefault
@MethodsReturnNonnullByDefault
package com.direwolf20.buildinggadgets.common.inventory.materials;
import mcp.MethodsReturnNonnullByDefault;
import javax.annotation.ParametersAreNonnullByDefault; | [
"[email protected]"
] | |
85bd23a001734a0b848f0e21f875447e5dbc46aa | 9238dee3274d437b19c86a7434c7957eae398a29 | /src/main/java/org/amanda/Photo.java | ed97325340a9dffa5b7fa1b4342612c5b5457a8d | [
"MIT"
] | permissive | apandey3/omnipics | 672fbea755581cded14449f6f4662ab432773e49 | 95c5967e8a93ee5b8096f6e5400b9a99b86f8310 | refs/heads/master | 2016-09-05T11:19:39.674296 | 2015-07-22T00:29:01 | 2015-07-22T00:30:48 | 38,899,157 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 438 | java | package org.amanda;
import java.io.File;
import java.util.ArrayList;
import java.util.List;
/**
* @author Amanda Pandey <[email protected]>
*/
public class Photo extends DisplayMedia{
private final File photoFile;
public Photo(File photoFile){
this.photoFile = photoFile;
}
public List<String> getTags() {
return tags;
}
public File getPhotoFile(){
return photoFile;
}
}
| [
"[email protected]"
] | |
be501957c40b44bbc709077cb805b54f0c27e435 | 5dd4e4710a6b376101195b5d660fc6031d4e7905 | /src/main/java/com/google/devtools/build/lib/bazel/rules/ninja/parser/NinjaScope.java | bfd9197672d39b963301749811afb1d2f6560119 | [
"Apache-2.0"
] | permissive | d-haxton/bazel | 6f623c613fcdef6119ef8ca65741a3b84eab87d6 | 3ea431c243873b3b1aa93f9b1bbbc1480c35747e | refs/heads/master | 2021-01-16T10:34:50.792713 | 2020-02-25T19:46:50 | 2020-02-25T19:46:50 | 243,081,190 | 0 | 0 | Apache-2.0 | 2020-02-25T19:13:13 | 2020-02-25T19:13:12 | null | UTF-8 | Java | false | false | 8,918 | java | // Copyright 2019 The Bazel Authors. All rights reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//
package com.google.devtools.build.lib.bazel.rules.ninja.parser;
import static com.google.common.base.Strings.nullToEmpty;
import com.google.common.annotations.VisibleForTesting;
import com.google.common.base.Preconditions;
import com.google.common.collect.ImmutableSortedMap;
import com.google.common.collect.Lists;
import com.google.common.collect.Maps;
import com.google.devtools.build.lib.util.Pair;
import java.util.ArrayDeque;
import java.util.Collection;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.Map;
import java.util.NavigableMap;
import java.util.function.Consumer;
import java.util.function.Function;
import javax.annotation.Nullable;
/**
* Ninja file scope to keep all defined variables and rules according to the order of their
* definition (and redefinition).
*/
public class NinjaScope {
/** Parent scope for the case of subninja/include command */
@Nullable private final NinjaScope parentScope;
/** If include command was used for the current scope, the offset of that include command */
@Nullable private final Integer includePoint;
private final NavigableMap<Integer, NinjaScope> includedScopes;
private final NavigableMap<Integer, NinjaScope> subNinjaScopes;
private Map<String, List<Pair<Integer, String>>> expandedVariables;
private final Map<String, List<Pair<Integer, NinjaRule>>> rules;
public NinjaScope() {
this(null, null);
}
private NinjaScope(@Nullable NinjaScope parentScope, @Nullable Integer includePoint) {
this.parentScope = parentScope;
this.includePoint = includePoint;
this.rules = Maps.newTreeMap();
this.includedScopes = Maps.newTreeMap();
this.subNinjaScopes = Maps.newTreeMap();
this.expandedVariables = Maps.newHashMap();
}
public void setRules(Map<String, List<Pair<Integer, NinjaRule>>> rules) {
this.rules.putAll(rules);
}
@VisibleForTesting
public Map<String, List<Pair<Integer, NinjaRule>>> getRules() {
return rules;
}
public Collection<NinjaScope> getIncludedScopes() {
return includedScopes.values();
}
public Collection<NinjaScope> getSubNinjaScopes() {
return subNinjaScopes.values();
}
/**
* Expands variable value at the given offset. If some of the variable references, used in the
* value, can not be found, uses an empty string as their value.
*/
public String getExpandedValue(int offset, NinjaVariableValue value) {
// Cache expanded variables values to save time replacing several references to the same
// variable.
// This cache is local to the offset, it depends on the offset of the variable we are expanding.
Map<String, String> cache = Maps.newHashMap();
// We are using the start offset of the value holding the reference to the variable.
// Do the same as Ninja implementation: if the variable is not found, use empty string.
Function<String, String> expander =
ref -> cache.computeIfAbsent(ref, (key) -> nullToEmpty(findExpandedVariable(offset, key)));
return value.getExpandedValue(expander);
}
public void addExpandedVariable(int offset, String name, String value) {
expandedVariables.computeIfAbsent(name, k -> Lists.newArrayList()).add(Pair.of(offset, value));
}
public NinjaScope addIncluded(int offset) {
NinjaScope scope = new NinjaScope(this, offset);
includedScopes.put(offset, scope);
return scope;
}
public NinjaScope addSubNinja(int offset) {
NinjaScope scope = new NinjaScope(this, offset);
subNinjaScopes.put(offset, scope);
return scope;
}
/**
* Finds expanded variable with the name <code>name</code> to be used in the reference to it at
* <code>offset</code>. Returns null if nothing was found.
*/
@Nullable
public String findExpandedVariable(int offset, String name) {
return findByNameAndOffsetRecursively(offset, name, scope -> scope.expandedVariables);
}
/**
* Finds a rule with the name <code>name</code> to be used in the reference to it at <code>offset
* </code>. Returns null if nothing was found.
*/
@Nullable
public NinjaRule findRule(int offset, String name) {
return findByNameAndOffsetRecursively(offset, name, scope -> scope.rules);
}
/**
* Finds a variable or rule with the name <code>name</code> to be used in the reference to it at
* <code>offset</code>.
*
* <p>The following checks are made: - the last definition of variable/rule before the offset in
* the current scope is looked up. - the last definition of variable/rule inside the relevant
* included scopes (i.e. in the files from include statements before offset)
*
* <p>If any of the definitions are found in the current or included scopes, the value with the
* largest offset is returned.
*
* <p>If nothing is found, we make an attempt to find the definition in the parent scope at offset
* before the offset at which the current scope was introduced to parent.
*
* <p>If no definition was found, we return null.
*/
@Nullable
private <T> T findByNameAndOffsetRecursively(
int offset,
String name,
Function<NinjaScope, Map<String, List<Pair<Integer, T>>>> mapSupplier) {
Pair<Integer, T> currentScopeValue = findByNameAndOffset(offset, name, this, mapSupplier);
int currentScopeOffset =
currentScopeValue != null ? Preconditions.checkNotNull(currentScopeValue.getFirst()) : -1;
// Search in included scopes, which were included after the current scope, so they could
// override the value, but before the reference offset.
NavigableMap<Integer, NinjaScope> subMap =
includedScopes.subMap(currentScopeOffset, false, offset, false);
// Search in descending order, so that the first found value is the result.
for (NinjaScope includedScope : subMap.descendingMap().values()) {
T includedValue =
includedScope.findByNameAndOffsetRecursively(Integer.MAX_VALUE, name, mapSupplier);
if (includedValue != null) {
return includedValue;
}
}
if (currentScopeValue != null) {
return currentScopeValue.getSecond();
}
if (parentScope != null) {
Preconditions.checkNotNull(includePoint);
// -1 is used in order not to conflict with the current scope.
return parentScope.findByNameAndOffsetRecursively(includePoint - 1, name, mapSupplier);
}
return null;
}
/**
* Finds the variable or rule with the name <code>name</code>, defined in the current scope before
* the <code>offset</code>. (Ninja allows to re-define the values of rules and variables.)
*/
@Nullable
private static <T> Pair<Integer, T> findByNameAndOffset(
int offset,
String name,
NinjaScope scope,
Function<NinjaScope, Map<String, List<Pair<Integer, T>>>> mapFunction) {
List<Pair<Integer, T>> pairs = Preconditions.checkNotNull(mapFunction.apply(scope)).get(name);
if (pairs == null) {
// We may want to search in the parent scope.
return null;
}
int insertionPoint =
Collections.binarySearch(
pairs, Pair.of(offset, null), Comparator.comparing(Pair::getFirst));
if (insertionPoint >= 0) {
// Can not be, variable can not be defined in exactly same place.
throw new IllegalStateException("Trying to interpret declaration as reference.");
}
// We need to access the previous element, before the insertion point.
int idx = -insertionPoint - 2;
if (idx < 0) {
// Check the parent scope.
return null;
}
Pair<Integer, T> pair = pairs.get(idx);
return Pair.of(pair.getFirst(), pair.getSecond());
}
public NinjaScope createScopeFromExpandedValues(
ImmutableSortedMap<String, List<Pair<Integer, String>>> expandedVariables) {
NinjaScope scope = new NinjaScope(this, Integer.MAX_VALUE);
scope.expandedVariables.putAll(expandedVariables);
return scope;
}
public void iterate(Consumer<NinjaScope> consumer) {
ArrayDeque<NinjaScope> queue = new ArrayDeque<>();
queue.add(this);
while (!queue.isEmpty()) {
NinjaScope currentScope = queue.removeFirst();
consumer.accept(currentScope);
queue.addAll(currentScope.getIncludedScopes());
queue.addAll(currentScope.getSubNinjaScopes());
}
}
}
| [
"[email protected]"
] | |
a49c3d49fe019507455e018826ddb69409228194 | 19e6fe360f54ef612b651db98a0e6796e58dcbc2 | /dsa/src/hackerrank/SubArrayDivision.java | 620f5e1daf4904195fb0f450272ed9f37235ab90 | [] | no_license | Sammypph/Algorithms | 7599a2bc305f0dea967f1d7078d165bb605e027e | 661e1f6c7254c71892a87a28a126ef5ca3642d0d | refs/heads/master | 2022-11-15T03:48:10.612860 | 2022-11-06T23:38:55 | 2022-11-06T23:38:55 | 247,138,110 | 2 | 1 | null | 2022-11-06T23:38:55 | 2020-03-13T18:33:12 | Java | UTF-8 | Java | false | false | 3,181 | java | package hackerrank;
import java.util.ArrayList;
import java.util.List;
/**
* Created by oakinrele on Oct, 2020
*/
public class SubArrayDivision{
/*
s: an array of integers, the numbers on each of the squares of chocolate
d: an integer, Ron's birth day
m: an integer, Ron's birth month
*/
// Complete the birthday function below.
static int birthday(List<Integer> s, int d, int m) {
int birthDay = d;
int birthMonth = m;
int result = 0;
int chocolateBar = 1;
int chocolateBarValue = 0;
//Base Case
if(s.size() == 1)
{
chocolateBarValue = s.get(0);
if(chocolateBar == birthMonth && chocolateBarValue == birthDay)
{
result++;
}
return result;
}
for(int i = 0; i < s.size() - 1 ; i++) {
if(chocolateBar < birthMonth)
{
chocolateBar++;
}
else{chocolateBar = 1;}
if(chocolateBarValue < birthDay)
{
chocolateBarValue += (s.get(i) + s.get(i + 1));
}
else {
chocolateBarValue = 0;
}
if(chocolateBar == birthMonth && chocolateBarValue == birthDay)
{
result++;
chocolateBar = 1;
chocolateBarValue = 0;
}
}
return result;
}
static int birthdaySolution(List<Integer> s, int d, int m) {
int birthDay = d;
int birthMonth = m;
int answer = 0;
int chocolateBar = 1;
int chocolateBarValue = 0;
//Base Case
if(s.size() == 1)
{
chocolateBarValue = s.get(0);
if(chocolateBar == birthMonth && chocolateBarValue == birthDay)
{
answer++;
}
return answer;
}
for(int i = 0; i < s.size() - 1 ; i++) {
}
return answer;
}
public static void main(String[] args) {
int result;
List<Integer> testCase1 = new ArrayList<>();
testCase1.add(1);
testCase1.add(2);
testCase1.add(1);
testCase1.add(3);
testCase1.add(2);
result = birthday(testCase1, 3 , 2);
System.out.println(String.format("First Output: %d ", result));
List<Integer> testCase2 = new ArrayList<>();
testCase2.add(1);
testCase2.add(1);
testCase2.add(1);
testCase2.add(1);
testCase2.add(1);
testCase2.add(1);
result= birthday(testCase2, 3 , 2);
System.out.println(String.format("Second Output: %d ", result));
List<Integer> testCase3 = new ArrayList<>();
testCase3.add(4);
result= birthday(testCase3, 4 , 1);
System.out.println(String.format("Third Output: %d ", result));
}
}
| [
"[email protected]"
] | |
c557f5520d9421abef791ee1f43e90370381e733 | 6bc6d3ffe04890b5ad6e7d9b26c3ad1bea5f2787 | /EradicationX/src/com/rs/game/RegionMap.java | 3909ed84c5936e0599e3e89518769bd15f0a279a | [] | no_license | frogsniper1/EX | e9e4ecc85e8ee3c8fab428bea49361995508c1bc | 10ed50a92d39e35276fccea4e21779f74b6085ec | refs/heads/master | 2020-03-31T21:52:59.957301 | 2018-11-03T05:35:04 | 2018-11-03T05:35:04 | 152,597,029 | 0 | 0 | null | 2018-10-13T09:09:15 | 2018-10-11T13:33:42 | Java | UTF-8 | Java | false | false | 13,703 | java | package com.rs.game;
/* old
* 2097152 cliped tile
* 131072 solid tile
* 262144 floor tile
*/
public class RegionMap {
private int regionX;
private int regionY;
private int masks[][][];
private boolean clipedOnly;
public RegionMap(int regionId, boolean clipedOnly) {
regionX = (regionId >> 8) * 64;
regionY = (regionId & 0xff) * 64;
masks = new int[4][64][64];
this.clipedOnly = clipedOnly;
}
public RegionMap(int regionId, int[][][] masks, boolean clipedOnly) {
regionX = (regionId >> 8) * 64;
regionY = (regionId & 0xff) * 64;
this.masks = masks;
this.clipedOnly = clipedOnly;
}
public int[][][] getMasks() {
return masks;
}
public int getRegionX() {
return regionX;
}
public int getRegionY() {
return regionY;
}
public void clipTile(int plane, int x, int y) {
addMask(plane, x, y, 2097152);
}
public void addWall(int plane, int x, int y, int type, int rotation,
boolean solid, boolean unknown) {
if (type == 0) {
if (rotation == 0) {
addMask(plane, x, y, 128);
addMask(plane, x - 1, y, 8);
}
if (rotation == 1) {
addMask(plane, x, y, 2);
addMask(plane, x, 1 + y, 32);
}
if (rotation == 2) {
addMask(plane, x, y, 8);
addMask(plane, 1 + x, y, 128);
}
if (rotation == 3) {
addMask(plane, x, y, 32);
addMask(plane, x, -1 + y, 2);
}
}
if (type == 1 || type == 3) {
if (rotation == 0) {
addMask(plane, x, y, 1);
addMask(plane, -1 + x, 1 + y, 16);
}
if (rotation == 1) {
addMask(plane, x, y, 4);
addMask(plane, 1 + x, 1 + y, 64);
}
if (rotation == 2) {
addMask(plane, x, y, 16);
addMask(plane, x + 1, -1 + y, 1);
}
if (rotation == 3) {
addMask(plane, x, y, 64);
addMask(plane, x - 1, -1 + y, 4);
}
}
if (type == 2) {
if (rotation == 0) {
addMask(plane, x, y, 130);
addMask(plane, -1 + x, y, 8);
addMask(plane, x, y + 1, 32);
}
if (rotation == 1) {
addMask(plane, x, y, 10);
addMask(plane, x, 1 + y, 32);
addMask(plane, 1 + x, y, 128);
}
if (rotation == 2) {
addMask(plane, x, y, 40);
addMask(plane, 1 + x, y, 128);
addMask(plane, x, -1 + y, 2);
}
if (rotation == 3) {
addMask(plane, x, y, 160);
addMask(plane, x, -1 + y, 2);
addMask(plane, -1 + x, y, 8);
}
}
if (solid) {
if (type == 0) {
if (rotation == 0) {
addMask(plane, x, y, 0x10000);
addMask(plane, x - 1, y, 4096);
}
if (rotation == 1) {
addMask(plane, x, y, 1024);
addMask(plane, x, 1 + y, 16384);
}
if (rotation == 2) {
addMask(plane, x, y, 4096);
addMask(plane, x + 1, y, 0x10000);
}
if (rotation == 3) {
addMask(plane, x, y, 16384);
addMask(plane, x, -1 + y, 1024);
}
}
if (type == 1 || type == 3) {
if (rotation == 0) {
addMask(plane, x, y, 512);
addMask(plane, x - 1, y + 1, 8192);
}
if (rotation == 1) {
addMask(plane, x, y, 2048);
addMask(plane, x + 1, 1 + y, 32768);
}
if (rotation == 2) {
addMask(plane, x, y, 8192);
addMask(plane, x + 1, y - 1, 512);
}
if (rotation == 3) {
addMask(plane, x, y, 32768);
addMask(plane, x - 1, -1 + y, 2048);
}
}
if (type == 2) {
if (rotation == 0) {
addMask(plane, x, y, 0x10400);
addMask(plane, -1 + x, y, 4096);
addMask(plane, x, y + 1, 16384);
}
if (rotation == 1) {
addMask(plane, x, y, 5120);
addMask(plane, x, y + 1, 16384);
addMask(plane, 1 + x, y, 0x10000);
}
if (rotation == 2) {
addMask(plane, x, y, 20480);
addMask(plane, x + 1, y, 0x10000);
addMask(plane, x, y - 1, 1024);
}
if (rotation == 3) {
addMask(plane, x, y, 0x14000);
addMask(plane, x, -1 + y, 1024);
addMask(plane, x - 1, y, 4096);
}
}
}
if (unknown) {
if (type == 0) {
if (rotation == 0) {
addMask(plane, x, y, 0x20000000);
addMask(plane, x - 1, y, 0x2000000);
}
if (rotation == 1) {
addMask(plane, x, y, 0x800000);
addMask(plane, x, y + 1, 0x8000000);
}
if (rotation == 2) {
addMask(plane, x, y, 0x2000000);
addMask(plane, x + 1, y, 0x20000000);
}
if (rotation == 3) {
addMask(plane, x, y, 0x8000000);
addMask(plane, x, y - 1, 0x800000);
}
}
if (type == 1 || type == 3) {
if (rotation == 0) {
addMask(plane, x, y, 0x400000);
addMask(plane, x - 1, y + 1, 0x4000000);
}
if (rotation == 1) {
addMask(plane, x, y, 0x1000000);
addMask(plane, 1 + x, 1 + y, 0x10000000);
}
if (rotation == 2) {
addMask(plane, x, y, 0x4000000);
addMask(plane, x + 1, -1 + y, 0x400000);
}
if (rotation == 3) {
addMask(plane, x, y, 0x10000000);
addMask(plane, -1 + x, y - 1, 0x1000000);
}
}
if (type == 2) {
if (rotation == 0) {
addMask(plane, x, y, 0x20800000);
addMask(plane, -1 + x, y, 0x2000000);
addMask(plane, x, 1 + y, 0x8000000);
}
if (rotation == 1) {
addMask(plane, x, y, 0x2800000);
addMask(plane, x, 1 + y, 0x8000000);
addMask(plane, x + 1, y, 0x20000000);
}
if (rotation == 2) {
addMask(plane, x, y, 0xa000000);
addMask(plane, 1 + x, y, 0x20000000);
addMask(plane, x, y - 1, 0x800000);
}
if (rotation == 3) {
addMask(plane, x, y, 0x28000000);
addMask(plane, x, y - 1, 0x800000);
addMask(plane, -1 + x, y, 0x2000000);
}
}
}
}
public void removeWall(int plane, int x, int y, int type, int rotation,
boolean solid, boolean unknown) {
if (type == 0) {
if (rotation == 0) {
removeMask(plane, x, y, 128);
removeMask(plane, x - 1, y, 8);
}
if (rotation == 1) {
removeMask(plane, x, y, 2);
removeMask(plane, x, 1 + y, 32);
}
if (rotation == 2) {
removeMask(plane, x, y, 8);
removeMask(plane, 1 + x, y, 128);
}
if (rotation == 3) {
removeMask(plane, x, y, 32);
removeMask(plane, x, -1 + y, 2);
}
}
if (type == 1 || type == 3) {
if (rotation == 0) {
removeMask(plane, x, y, 1);
removeMask(plane, -1 + x, 1 + y, 16);
}
if (rotation == 1) {
removeMask(plane, x, y, 4);
removeMask(plane, 1 + x, 1 + y, 64);
}
if (rotation == 2) {
removeMask(plane, x, y, 16);
removeMask(plane, x + 1, -1 + y, 1);
}
if (rotation == 3) {
removeMask(plane, x, y, 64);
removeMask(plane, x - 1, -1 + y, 4);
}
}
if (type == 2) {
if (rotation == 0) {
addMask(plane, x, y, 130);
removeMask(plane, -1 + x, y, 8);
removeMask(plane, x, y + 1, 32);
}
if (rotation == 1) {
removeMask(plane, x, y, 10);
removeMask(plane, x, 1 + y, 32);
removeMask(plane, 1 + x, y, 128);
}
if (rotation == 2) {
removeMask(plane, x, y, 40);
removeMask(plane, 1 + x, y, 128);
removeMask(plane, x, -1 + y, 2);
}
if (rotation == 3) {
removeMask(plane, x, y, 160);
removeMask(plane, x, -1 + y, 2);
removeMask(plane, -1 + x, y, 8);
}
}
if (solid) {
if (type == 0) {
if (rotation == 0) {
removeMask(plane, x, y, 0x10000);
removeMask(plane, x - 1, y, 4096);
}
if (rotation == 1) {
removeMask(plane, x, y, 1024);
removeMask(plane, x, 1 + y, 16384);
}
if (rotation == 2) {
removeMask(plane, x, y, 4096);
removeMask(plane, x + 1, y, 0x10000);
}
if (rotation == 3) {
removeMask(plane, x, y, 16384);
removeMask(plane, x, -1 + y, 1024);
}
}
if (type == 1 || type == 3) {
if (rotation == 0) {
removeMask(plane, x, y, 512);
removeMask(plane, x - 1, y + 1, 8192);
}
if (rotation == 1) {
removeMask(plane, x, y, 2048);
removeMask(plane, x + 1, 1 + y, 32768);
}
if (rotation == 2) {
removeMask(plane, x, y, 8192);
removeMask(plane, x + 1, y - 1, 512);
}
if (rotation == 3) {
removeMask(plane, x, y, 32768);
removeMask(plane, x - 1, -1 + y, 2048);
}
}
if (type == 2) {
if (rotation == 0) {
removeMask(plane, x, y, 0x10400);
removeMask(plane, -1 + x, y, 4096);
removeMask(plane, x, y + 1, 16384);
}
if (rotation == 1) {
removeMask(plane, x, y, 5120);
removeMask(plane, x, y + 1, 16384);
removeMask(plane, 1 + x, y, 0x10000);
}
if (rotation == 2) {
removeMask(plane, x, y, 20480);
removeMask(plane, x + 1, y, 0x10000);
removeMask(plane, x, y - 1, 1024);
}
if (rotation == 3) {
removeMask(plane, x, y, 0x14000);
removeMask(plane, x, -1 + y, 1024);
removeMask(plane, x - 1, y, 4096);
}
}
}
if (unknown) {
if (type == 0) {
if (rotation == 0) {
removeMask(plane, x, y, 0x20000000);
removeMask(plane, x - 1, y, 0x2000000);
}
if (rotation == 1) {
removeMask(plane, x, y, 0x800000);
removeMask(plane, x, y + 1, 0x8000000);
}
if (rotation == 2) {
removeMask(plane, x, y, 0x2000000);
removeMask(plane, x + 1, y, 0x20000000);
}
if (rotation == 3) {
removeMask(plane, x, y, 0x8000000);
removeMask(plane, x, y - 1, 0x800000);
}
}
if (type == 1 || type == 3) {
if (rotation == 0) {
removeMask(plane, x, y, 0x400000);
removeMask(plane, x - 1, y + 1, 0x4000000);
}
if (rotation == 1) {
removeMask(plane, x, y, 0x1000000);
removeMask(plane, 1 + x, 1 + y, 0x10000000);
}
if (rotation == 2) {
removeMask(plane, x, y, 0x4000000);
removeMask(plane, x + 1, -1 + y, 0x400000);
}
if (rotation == 3) {
removeMask(plane, x, y, 0x10000000);
removeMask(plane, -1 + x, y - 1, 0x1000000);
}
}
if (type == 2) {
if (rotation == 0) {
removeMask(plane, x, y, 0x20800000);
removeMask(plane, -1 + x, y, 0x2000000);
removeMask(plane, x, 1 + y, 0x8000000);
}
if (rotation == 1) {
removeMask(plane, x, y, 0x2800000);
removeMask(plane, x, 1 + y, 0x8000000);
removeMask(plane, x + 1, y, 0x20000000);
}
if (rotation == 2) {
removeMask(plane, x, y, 0xa000000);
removeMask(plane, 1 + x, y, 0x20000000);
removeMask(plane, x, y - 1, 0x800000);
}
if (rotation == 3) {
removeMask(plane, x, y, 0x28000000);
removeMask(plane, x, y - 1, 0x800000);
removeMask(plane, -1 + x, y, 0x2000000);
}
}
}
}
public void removeObject(int plane, int x, int y, int sizeX, int sizeY,
boolean solid, boolean b) {
int mask = 256;
if (solid)
mask |= 131072;
if (b)
mask |= 1073741824;
for (int tileX = x; tileX < x + sizeX; tileX++)
for (int tileY = y; tileY < y + sizeY; tileY++)
removeMask(plane, tileX, tileY, mask);
}
public void addObject(int plane, int x, int y, int sizeX, int sizeY,
boolean solid, boolean b) {
int mask = 256;
if (solid)
mask |= 131072;
if (b)
mask |= 1073741824;
for (int tileX = x; tileX < x + sizeX; tileX++)
for (int tileY = y; tileY < y + sizeY; tileY++)
addMask(plane, tileX, tileY, mask);
}
public void setMask(int plane, int x, int y, int mask) {
if (x >= 64 || y >= 64 || x < 0 || y < 0) {
WorldTile tile = new WorldTile(regionX + x, regionY + y, plane);
int regionId = tile.getRegionId();
int newRegionX = (regionId >> 8) * 64;
int newRegionY = (regionId & 0xff) * 64;
if (clipedOnly)
World.getRegion(tile.getRegionId())
.forceGetRegionMapClipedOnly()
.setMask(plane, tile.getX() - newRegionX,
tile.getY() - newRegionY, mask);
else
World.getRegion(tile.getRegionId())
.forceGetRegionMap()
.setMask(plane, tile.getX() - newRegionX,
tile.getY() - newRegionY, mask);
return;
}
masks[plane][x][y] = mask;
}
public void removeMask(int plane, int x, int y, int mask) {
if (x >= 64 || y >= 64 || x < 0 || y < 0) {
WorldTile tile = new WorldTile(regionX + x, regionY + y, plane);
int regionId = tile.getRegionId();
int newRegionX = (regionId >> 8) * 64;
int newRegionY = (regionId & 0xff) * 64;
if (clipedOnly)
World.getRegion(tile.getRegionId())
.forceGetRegionMapClipedOnly()
.removeMask(plane, tile.getX() - newRegionX,
tile.getY() - newRegionY, mask);
else
World.getRegion(tile.getRegionId())
.forceGetRegionMap()
.removeMask(plane, tile.getX() - newRegionX,
tile.getY() - newRegionY, mask);
return;
}
masks[plane][x][y] = masks[plane][x][y] & (~mask);
}
public void addMask(int plane, int x, int y, int mask) {
if (x >= 64 || y >= 64 || x < 0 || y < 0) {
WorldTile tile = new WorldTile(regionX + x, regionY + y, plane);
int regionId = tile.getRegionId();
int newRegionX = (regionId >> 8) * 64;
int newRegionY = (regionId & 0xff) * 64;
if (clipedOnly)
World.getRegion(tile.getRegionId())
.forceGetRegionMapClipedOnly()
.addMask(plane, tile.getX() - newRegionX,
tile.getY() - newRegionY, mask);
else
World.getRegion(tile.getRegionId())
.forceGetRegionMap()
.addMask(plane, tile.getX() - newRegionX,
tile.getY() - newRegionY, mask);
return;
}
masks[plane][x][y] = masks[plane][x][y] | mask;
}
public void addFloor(int plane, int x, int y) {
addMask(plane, x, y, 262144);
}
}
| [
"i3@i3-PC20"
] | i3@i3-PC20 |
2132bbd2237c2fc5255ee40b497f05ccd861bc75 | befd592f68aa56039ce8950a1185ce3e5e9e0a9d | /Cuong123/JSPSinhVien/src/sinhvien/controller/FormDelete.java | 6b4d0098d590ff6c25ceb98661622a069d04fd87 | [] | no_license | FASTTRACKSE/FTJD1801_JavaWeb | 141c77d3745c41af482225c5a76507495cad01e7 | d6e6739b28c608774c6dd9c8974c4dfb9ed9b65b | refs/heads/master | 2021-06-07T14:42:58.950620 | 2019-12-01T16:15:28 | 2019-12-01T16:15:28 | 149,603,330 | 0 | 0 | null | 2021-04-26T18:34:19 | 2018-09-20T12:07:31 | Java | UTF-8 | Java | false | false | 1,969 | java | package sinhvien.controller;
import java.io.IOException;
import java.io.PrintWriter;
import java.util.ArrayList;
import javax.servlet.RequestDispatcher;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;
import sinhvien.entity.SinhVien;
/**
* Servlet implementation class FormDelete
*/
@WebServlet("/FormDelete")
public class FormDelete extends HttpServlet {
private static final long serialVersionUID = 1L;
/**
* @see HttpServlet#HttpServlet()
*/
public FormDelete() {
super();
// TODO Auto-generated constructor stub
}
/**
* @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response)
*/
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// TODO Auto-generated method stub
response.setContentType("text/html");
response.setCharacterEncoding("UTF-8");
HttpSession session = request.getSession();
ArrayList<SinhVien> dsSinhVien = (ArrayList<SinhVien>) request.getSession().getAttribute("dsSinhVien");
int id = Integer.parseInt(request.getParameter("id"));
PrintWriter out = response.getWriter();
SinhVien sinhvien = new SinhVien();
for(SinhVien sv : dsSinhVien) {
if(sv.getiD()==id) {
sinhvien=sv;
break;
}
}
request.setAttribute("sinhvien", sinhvien);
RequestDispatcher dispatcher = request.getRequestDispatcher("/FormDelete.jsp");
dispatcher.forward(request, response);
}
/**
* @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response)
*/
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// TODO Auto-generated method stub
doGet(request, response);
}
}
| [
"[email protected]"
] | |
2b5ae52bf6b4e4ff213dd324aefc3a48e9fc7a10 | 920e8947a221145da13d0f9caef8f8122d118955 | /spring-cloud-alibaba-nacos-example/nacos-consumer-server/src/main/java/com/smart/cloud/alibaba/example/NacosConsumerServerApplication.java | 0611e0cf05842f8d0fba6e4e2aeea60d82341388 | [] | no_license | SnowWhite-Princess/spring-cloud-ali-example | 40dd629a9ad05f2d21bd327d7fe1305ac1565b3d | 613794df64dc59eaafaeafdc85cd71bcf45e751f | refs/heads/master | 2022-12-03T01:02:47.258853 | 2020-08-16T13:05:09 | 2020-08-16T13:05:09 | 286,007,071 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 592 | java | package com.smart.cloud.alibaba.example;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;
import org.springframework.cloud.openfeign.EnableFeignClients;
/**
* @author zhangwei
*/
@SpringBootApplication
@EnableDiscoveryClient
// 注册所有的 feign
@EnableFeignClients
public class NacosConsumerServerApplication {
public static void main(String[] args) {
SpringApplication.run(NacosConsumerServerApplication.class, args);
}
}
| [
"[email protected]"
] | |
99f20da4dcd5f99a398ce3feb7fa67698c4d9283 | 5fe976fd57ffe307147b641904a62279d56d38b5 | /src/main/java/com/golding/FastdfsApplication.java | 87e5d82ce1c6d58c0f24cb06d187a4dc0871abc8 | [] | no_license | vikeyliu/springboot-fastdfs | 9129040a9e65ede12a33e13a5861c6baab198afb | e620336c36cce1ed279c4b9732afec952470c97c | refs/heads/master | 2020-04-15T20:42:22.385837 | 2019-01-10T06:40:06 | 2019-01-10T06:40:06 | 165,005,132 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 319 | java | package com.golding;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class FastdfsApplication {
public static void main(String[] args) {
SpringApplication.run(FastdfsApplication.class, args);
}
}
| [
"[email protected]"
] | |
f11fd27c1354f7b7101e71a8b13b570a99738215 | d5b9c14e4fe4b3daa3b09c0c31519f1104bc9558 | /utils-assertor/src/main/java/fr/landel/utils/assertor/StepAssertor.java | f6ec2b2da56d44f93b04b18f54177b439cbbe26e | [
"Apache-2.0"
] | permissive | Gilandel/utils-old | ca744034c63e49ea519091e7bfc683ae294f32c8 | 5e4aa8a761b10d779f34dc96ba9ed7358a7e1da2 | refs/heads/master | 2021-01-20T12:06:29.351584 | 2017-03-11T13:12:31 | 2017-03-11T13:12:31 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 11,961 | java | /*-
* #%L
* utils-assertor
* %%
* Copyright (C) 2016 - 2017 Gilandel
* %%
* Authors: Gilles Landel
* URL: https://github.com/Gilandel
*
* This file is under Apache License, version 2.0 (2004).
* #L%
*/
package fr.landel.utils.assertor;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.function.BiPredicate;
import java.util.function.Predicate;
import fr.landel.utils.commons.StringUtils;
import fr.landel.utils.commons.builder.ToStringBuilder;
import fr.landel.utils.commons.builder.ToStringStyles;
/**
* Class to store results of assertion at each step. It contains the current
* result and the list of parameters added at each assertion.
*
* <p>
* What it's stored:
* </p>
* <ul>
* <li>object: the object to check</li>
* <li>type: the type of object to check</li>
* <li>operator: the operator applied to the next step</li>
* <li>not: if not has to be applied to the next step</li>
* <li>preconditionOK: if preconditions are valid (here we ensured that the
* check will not throw a {@link NullPointerException} by example)</li>
* <li>valid: the result of the check (the associated function is only run if
* preconditions are ok)</li>
* <li>preconditionMessage: the message applied if preconditions aren't
* valid</li>
* <li>message: the message applied if preconditions are valid and check result
* is ko</li>
* <li>parameters: the whole list of parameters (includes previous checked
* object and assertion parameters)</li>
* </ul>
*
* @since Aug 7, 2016
* @author Gilles
*
* @param <T>
* the type of assertor result
*/
public class StepAssertor<T> implements Serializable {
/**
* serialVersionUID
*/
private static final long serialVersionUID = -8316517833558101416L;
private final EnumStep stepType;
private final StepAssertor<?> previousStep;
private final StepAssertor<?> subStep;
private final T object;
private final EnumType type;
private final boolean checked;
private final EnumOperator operator;
private final boolean not;
// (object) -> precondition OK?
private Predicate<T> preChecker;
// default key message (used id precondition ko or message null)
private CharSequence messageKey;
private boolean messageKeyNot;
// (object, not) -> valid?
private BiPredicate<T, Boolean> checker;
// if 'not' is directly applied by checker
private boolean notAppliedByChecker;
private MessageAssertor message;
private List<ParameterAssertor<?>> parameters;
/**
* Base constructor
*
* @param stepType
* the step type
* @param previousStep
* the previous step
* @param subStep
* the sub step
* @param object
* the object under check
* @param type
* the object type
* @param checked
* if the object has to be checked
* @param operator
* the operator for the previous combination (with next step)
* @param not
* if NOT operator is applied on the next checker
* @param <X>
* the previous step type
* @param <Y>
* the sub step type
*/
private <X, Y> StepAssertor(final EnumStep stepType, final StepAssertor<X> previousStep, final StepAssertor<Y> subStep, final T object,
final EnumType type, final boolean checked, final EnumOperator operator, final boolean not) {
this.stepType = stepType;
this.subStep = subStep;
this.previousStep = previousStep;
this.object = object;
this.type = type;
this.checked = checked;
this.operator = operator;
this.not = not;
}
/**
* Constructor for each {@link Assertor#that}
*
* @param object
* the object under check
* @param type
* the type of the object
*/
public StepAssertor(final T object, final EnumType type) {
this(EnumStep.CREATION, null, null, object, type, true, null, false);
}
/**
* Combining constructor, for (NOT operator) (not is set to true)
*
* @param previousStep
* the previous step
*/
public StepAssertor(final StepAssertor<T> previousStep) {
this(EnumStep.NOT, previousStep, null, null, null, false, null, true);
}
/**
* Combining constructor with new object, for (AND, OR and XOR combinations)
*
* @param previousStep
* the previous step
* @param object
* the object under check
* @param type
* the object type
* @param operator
* the operator for the next combination
* @param <X>
* the type of previous step object
*/
public <X> StepAssertor(final StepAssertor<X> previousStep, final T object, final EnumType type, final EnumOperator operator) {
this(EnumStep.OBJECT, previousStep, null, object, type, true, operator, false);
}
/**
*
* Combining constructor, for (AND, OR and XOR combinations)
*
* @param previousStep
* The previous step
* @param operator
* The operator for the next combination
*/
public StepAssertor(final StepAssertor<T> previousStep, final EnumOperator operator) {
this(EnumStep.OPERATOR, previousStep, null, null, null, false, operator, false);
}
/**
* Standard combining constructor (not is set to false)
*
* @param previousStep
* the previous step
* @param subStep
* the sub step
* @param operator
* The operator for the next combination
* @param <Y>
* the sub step type
*/
public <Y> StepAssertor(final StepAssertor<T> previousStep, final StepAssertor<Y> subStep, final EnumOperator operator) {
this(EnumStep.SUB, previousStep, subStep, null, null, false, operator, false);
}
/**
* Standard combining constructor (not is set to false)
*
* @param previousStep
* The previous step
* @param preChecker
* the checker for preconditions
* @param checker
* the main checker (only applied if preChecker returns true)
* @param notAppliedByChecker
* if 'not' is directly applied by checker
* @param message
* the error message (only applied if preChecker returns true and
* checker returns false)
* @param messageKey
* the default message key (used if preChecker returns false or
* if checker returns false and message is null)
* @param messageKeyNot
* if the message key has to be suffixed by NOT
* @param parameters
* the list of parameters for the current step
*/
@SafeVarargs
public StepAssertor(final StepAssertor<T> previousStep, final Predicate<T> preChecker, final BiPredicate<T, Boolean> checker,
final boolean notAppliedByChecker, final MessageAssertor message, final CharSequence messageKey, final boolean messageKeyNot,
final ParameterAssertor<?>... parameters) {
this(EnumStep.ASSERTION, previousStep, null, null, null, false, null, false);
this.messageKey = messageKey;
this.messageKeyNot = messageKeyNot;
this.preChecker = preChecker;
this.checker = checker;
this.notAppliedByChecker = notAppliedByChecker;
this.message = message;
this.parameters = new ArrayList<>(Arrays.asList(parameters));
}
/**
* Standard combining constructor without precondition (not is set to false)
*
* @param previousStep
* The previous step
* @param checker
* the main checker (only applied if preChecker returns true)
* @param notAppliedByChecker
* if 'not' is directly applied by checker
* @param message
* the error message (only applied if preChecker returns true and
* checker returns false)
* @param messageKey
* the default message key (used if preChecker returns false or
* if checker returns false and message is null)
* @param messageKeyNot
* if the message key has to be suffixed by NOT
* @param parameters
* the list of parameters for the current step
*/
@SafeVarargs
public StepAssertor(final StepAssertor<T> previousStep, final BiPredicate<T, Boolean> checker, final boolean notAppliedByChecker,
final MessageAssertor message, final CharSequence messageKey, final boolean messageKeyNot,
final ParameterAssertor<?>... parameters) {
this(previousStep, null, checker, notAppliedByChecker, message, messageKey, messageKeyNot, parameters);
}
/**
* @return the preChecker
*/
public Predicate<T> getPreChecker() {
return this.preChecker;
}
/**
* @return the checker
*/
public BiPredicate<T, Boolean> getChecker() {
return this.checker;
}
/**
* @return the messageKey
*/
public CharSequence getMessageKey() {
return this.messageKey;
}
/**
* @return the message
*/
public MessageAssertor getMessage() {
return this.message;
}
/**
* @return the stepType
*/
public EnumStep getStepType() {
return this.stepType;
}
/**
* @return the previousStep
*/
public StepAssertor<?> getPreviousStep() {
return this.previousStep;
}
/**
* @return the object
*/
public T getObject() {
return this.object;
}
/**
* @return the type
*/
public EnumType getType() {
return this.type;
}
/**
* @return the checked
*/
protected boolean isChecked() {
return this.checked;
}
/**
* @return the operator
*/
public EnumOperator getOperator() {
return this.operator;
}
/**
* @return the not
*/
public boolean isNot() {
return this.not;
}
/**
* @return the subStep
*/
public StepAssertor<?> getSubStep() {
return this.subStep;
}
/**
* If the NOT is directly managed by the checker
*
* @return the notAppliedByChecker
*/
public boolean isNotAppliedByChecker() {
return this.notAppliedByChecker;
}
/**
* @return the clone of parameters
*/
protected List<ParameterAssertor<?>> getParameters() {
return this.parameters;
}
/**
* @return the messageKeyNot
*/
protected boolean isMessageKeyNot() {
return this.messageKeyNot;
}
@Override
public String toString() {
final ToStringBuilder sb = new ToStringBuilder(ToStringStyles.JSON_SPACED);
sb.append(this.stepType.name());
switch (this.stepType) {
case CREATION:
sb.append("object", this.object);
sb.append("type", this.type);
break;
case OBJECT:
sb.append("object", this.object);
sb.append("type", this.type);
sb.append("operator", this.operator);
break;
case OPERATOR:
case SUB:
sb.append("operator", this.operator);
break;
case NOT:
sb.append("not", this.not);
break;
case ASSERTION:
sb.append("key", this.messageKey);
sb.append("key not", this.messageKeyNot);
sb.appendAndFormat("parameters", this.parameters, StringUtils::joinComma);
sb.append("message", this.message);
break;
default:
}
return sb.build();
}
}
| [
"[email protected]"
] | |
52166aed628f0150a998a1075ffb79223d227cc6 | ce90599357c635b3a38e31d62dc06212d01530ab | /AndroidAsync-master/AndroidAsync/src/com/koushikdutta/async/future/FutureThread.java | b83dd47f11a88df3c7880b42e844b84ac21d4609 | [
"Apache-2.0"
] | permissive | andreasjacobsen93/AndroidSamples | 60d4f47b3f08099fe1e01291702eea642d937834 | 65e69579f8fe02609229ea9eee5111879f975705 | refs/heads/master | 2022-07-09T18:23:28.802203 | 2020-10-06T15:48:26 | 2020-10-06T15:48:26 | 24,414,099 | 2 | 1 | null | 2022-05-20T20:49:01 | 2014-09-24T12:30:00 | Java | UTF-8 | Java | false | false | 509 | java | package com.koushikdutta.async.future;
/**
* Created by koush on 12/22/13.
*/
public class FutureThread<T> extends SimpleFuture<T> {
public FutureThread(final FutureRunnable<T> runnable) {
new Thread(new Runnable() {
@Override
public void run() {
try {
setComplete(runnable.run());
}
catch (Exception e) {
setComplete(e);
}
}
}).start();
}
}
| [
"[email protected]"
] | |
06aa9b38ccd82bec8f3415febc6bd0cc801e2a4d | 6ea7b8c2bea003a6be0725a404840006ce920398 | /app/src/main/java/recognition/robot/BT_Controls.java | ebc2077af3bf5f68ac1b14d839b8280782ed30ba | [] | no_license | vhugohh/FacialRecognitionSample | 3f545100e1afae2385945e313a0d713a190c4b29 | db851a9a175c90fc95140fe42beec98b8b110150 | refs/heads/master | 2021-01-10T21:49:37.093567 | 2015-05-06T23:31:51 | 2015-05-06T23:31:51 | 34,880,285 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 7,573 | java | package recognition.robot;
import android.app.Activity;
import android.app.AlertDialog;
import android.app.ProgressDialog;
import android.bluetooth.BluetoothAdapter;
import android.bluetooth.BluetoothDevice;
import android.bluetooth.BluetoothSocket;
import android.content.DialogInterface;
import android.content.DialogInterface.OnCancelListener;
import android.content.DialogInterface.OnClickListener;
import android.content.Intent;
import android.os.Bundle;
import android.util.Log;
import android.widget.CompoundButton;
import android.widget.CompoundButton.OnCheckedChangeListener;
import android.widget.Toast;
import android.widget.ToggleButton;
import recognition.sample.R;
import java.io.IOException;
import java.io.OutputStream;
import java.util.Timer;
import java.util.TimerTask;
import java.util.UUID;
public class BT_Controls extends Activity {
private static final UUID MAGIC_UUID = UUID.fromString("00001101-0000-1000-8000-00805F9B34FB"); // magic
// UUID
private static final String TAG = BT_Main.class.getName();
private BluetoothAdapter bluetoothAdapter;
private BTConnectionThread btConnectionThread;
Timer timer;
MyTimerTask myTimerTask;
private boolean blink = true;
private ProgressDialog pd;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.bluetooth_controls);
bluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
bindViews();
BluetoothDevice device = (BluetoothDevice) getIntent().getParcelableExtra("device");
if(device != null){
connectToBTDevice(device);
}else{
Toast.makeText(this, "No device selected", Toast.LENGTH_SHORT).show();
}
}
private void bindViews() {
((ToggleButton) findViewById(R.id.toggleLED1)).setOnCheckedChangeListener(changeListener);
/*((ToggleButton) findViewById(R.id.toggleLED2)).setOnCheckedChangeListener(changeListener);
((ToggleButton) findViewById(R.id.toggleLED3)).setOnCheckedChangeListener(changeListener);
((ToggleButton) findViewById(R.id.toggleLED4)).setOnCheckedChangeListener(changeListener);
((ToggleButton) findViewById(R.id.toggleLED5)).setOnCheckedChangeListener(changeListener);
((ToggleButton) findViewById(R.id.toggleLED6)).setOnCheckedChangeListener(changeListener);
((ToggleButton) findViewById(R.id.allRed)).setOnCheckedChangeListener(changeListener);
((ToggleButton) findViewById(R.id.allGreen)).setOnCheckedChangeListener(changeListener);*/
}
protected void connectToBTDevice(final BluetoothDevice device) {
new AlertDialog.Builder(this).setMessage("Connect to " + device.getName() + " ?").setNegativeButton("No", null).setPositiveButton("Yes", new OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
pd = new ProgressDialog(BT_Controls.this);
pd.setMessage("Waiting for BT device");
pd.setCancelable(true);
pd.setOnCancelListener(new OnCancelListener() {
@Override
public void onCancel(DialogInterface dialog) {
if (btConnectionThread != null) {
btConnectionThread.cancel();
}
}
});
pd.show();
btConnectionThread = new BTConnectionThread(device);
btConnectionThread.start();
}
}).create().show();
}
private OnCheckedChangeListener changeListener = new OnCheckedChangeListener() {
@Override
public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) {
String pin = "";
if (buttonView.getId() == R.id.toggleLED1) {
pin = "p1";
}
/*else if (buttonView.getId() == R.id.toggleLED2) {
pin = "p2";
} else if (buttonView.getId() == R.id.toggleLED3) {
pin = "p3";
}
if (buttonView.getId() == R.id.toggleLED4) {
pin = "p4";
} else if (buttonView.getId() == R.id.toggleLED5) {
pin = "p5";
} else if (buttonView.getId() == R.id.toggleLED6) {
pin = "p6";
} else if (buttonView.getId() == R.id.allRed) {
pin = "ar";
} else if (buttonView.getId() == R.id.allGreen) {
pin = "ag";
}*/
if (isChecked) {
btConnectionThread.write((pin + "1").getBytes());
} else {
btConnectionThread.write((pin + "0").getBytes());
}
//Codigo para el timer
if(timer != null){
timer.cancel();
}
//Inicializa timer
timer = new Timer();
myTimerTask = new MyTimerTask();
timer.schedule(myTimerTask, 1000, 5000);
//
// Regreso al menu con el BlueTooth activado
Intent intent = new Intent(BT_Controls.this, FacialRecognitionActivity.class);
startActivity(intent);
}
};
class BTChannelThread extends Thread {
private boolean keepAlive = true;
private OutputStream outStream;
private BluetoothSocket btSocket;
public BTChannelThread(BluetoothSocket btSocket) {
this.btSocket = btSocket;
try {
outStream = btSocket.getOutputStream();
} catch (IOException e) {
}
}
@Override
public void run() {
while (keepAlive) {
// do nothing
try {
Thread.sleep(100);
} catch (InterruptedException e) {
}
}
}
public void sendCommand(byte[] bytes) {
try {
outStream.write(bytes);
} catch (IOException e) {
e.printStackTrace();
}
}
public void cancel() {
keepAlive = false;
try {
btSocket.close();
} catch (IOException e) {
}
}
}
class BTConnectionThread extends Thread {
private BluetoothDevice device;
private BluetoothSocket btSocket;
private BTChannelThread btChannelThread;
public BTConnectionThread(BluetoothDevice device) {
this.device = device;
}
@Override
public void run() {
if (bluetoothAdapter.isDiscovering()) {
bluetoothAdapter.cancelDiscovery();
}
try {
btSocket = device.createRfcommSocketToServiceRecord(MAGIC_UUID);
btChannelThread = new BTChannelThread(btSocket);
btSocket.connect();
if (pd != null) {
pd.dismiss();
}
btChannelThread.start();
} catch (IOException e) {
Log.e(TAG, "Unable to connect to bluetooth device " + device.getName(), e);
try {
btSocket.close();
} catch (IOException e1) {
// supress
}
}
}
public void cancel() {
try {
btSocket.close();
} catch (IOException e) {
// supress
}
}
public void write(byte[] bytes) {
btChannelThread.sendCommand(bytes);
}
}
@Override
protected void onDestroy() {
if (btConnectionThread != null) {
btConnectionThread.cancel();
}
if (myTimerTask != null) {
myTimerTask.cancel();
}
super.onDestroy();
}
private class MyTimerTask extends TimerTask {
@Override
public void run() {
// boolean blink;
runOnUiThread(new Runnable(){
@Override
public void run() {
blink = !blink;
Log.e("MyTimer:", Boolean.toString(blink));
if (blink) {
btConnectionThread.write(("p11").getBytes());
} else {
btConnectionThread.write(("p10").getBytes());
}
String aString;
double aDouble;
synchronized(SharedData.globalInstance) {
aString = SharedData.globalInstance.aString;
aDouble = SharedData.globalInstance.aDouble;
}
Log.e("MyTimer:",aString);
Log.e("MyTimer:",Double.toString(aDouble));
}});
}
}
}
| [
"[email protected]"
] | |
ce78d4d33ac8ce0e0c0e99a0190aeea9ae0dcdff | 30cd4c62cf65149db16cdc83c7b47fce363d4090 | /auctionServer/src/test/java/auction/service/RegistrationMgrTest.java | 2cc62a3a8552e5f1bb978159819ec01d2d2a585e | [] | no_license | RemivDeursen/SE42---Bank | 2736de7269f997c3d11a49293a8e58a9a4514fef | e08330016eedab4dd1e8365e82ce3d41360175bb | refs/heads/master | 2020-03-17T04:27:16.608852 | 2018-06-25T10:41:18 | 2018-06-25T10:41:18 | 133,275,891 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,613 | java | //package auction.service;
//
//import java.sql.SQLException;
//import java.util.List;
//import static org.junit.Assert.*;
//
//
//import org.junit.After;
//import org.junit.AfterClass;
//import org.junit.Before;
//import org.junit.Test;
//
//import auction.domain.User;
//import util.DatabaseCleaner;
//
//import javax.persistence.EntityManager;
//import javax.persistence.EntityManagerFactory;
//import javax.persistence.Persistence;
//
//public class RegistrationMgrTest {
//
// private RegistrationMgr registrationMgr;
//
// @Before
// public void setUp() throws Exception {
// registrationMgr = new RegistrationMgr();
// }
//
// @After
// public void after() throws SQLException {
// EntityManagerFactory emf = Persistence.createEntityManagerFactory("auctionPU");
// EntityManager em = emf.createEntityManager();
// DatabaseCleaner cleaner = new DatabaseCleaner(em);
// cleaner.clean();
// }
//
// @Test
// public void registerUser() throws SQLException {
// User user1 = registrationMgr.registerUser("xxx1@yyy");
// assertTrue(user1.getEmail().equals("xxx1@yyy"));
// User user2 = registrationMgr.registerUser("xxx2@yyy2");
// assertTrue(user2.getEmail().equals("xxx2@yyy2"));
// User user2bis = registrationMgr.registerUser("xxx2@yyy2");
// assertNotSame(user2bis, user2);
// //geen @ in het adres
// assertNull(registrationMgr.registerUser("abc"));
// }
//
// @Test
// public void getUser() throws SQLException {
// User user1 = registrationMgr.registerUser("xxx5@yyy5");
// User userGet = registrationMgr.getUser("xxx5@yyy5");
// assertNotSame(userGet, user1);
// assertNull(registrationMgr.getUser("aaa4@bb5"));
// registrationMgr.registerUser("abc");
// assertNull(registrationMgr.getUser("abc"));
// }
//
// @Test
// public void getUsers() {
// List<User> users = registrationMgr.getUsers();
// assertEquals(0, users.size());
//
// User user1 = registrationMgr.registerUser("xxx8@yyy");
// users = registrationMgr.getUsers();
// assertEquals(1, users.size());
// assertNotSame(users.get(0), user1);
//
//
// User user2 = registrationMgr.registerUser("xxx9@yyy");
// users = registrationMgr.getUsers();
// assertEquals(2, users.size());
//
// registrationMgr.registerUser("abc");
// //geen nieuwe user toegevoegd, dus gedrag hetzelfde als hiervoor
// users = registrationMgr.getUsers();
// assertEquals(2, users.size());
// }
//}
| [
"[email protected]"
] | |
3f2ede6ceb9839f484c949661e13480e3cac812e | 3432ee3fcfa7a7a6b551630459baec17fe4a0342 | /xhh-db/src/main/java/org/xhh/db/dao/LitemallUserFormidMapper.java | 78727d18c0951f729723330522cc803e3658c93a | [] | no_license | sfyproject/xhh | 65f6cdf3c2e0c6ed23b84acfaa62d9bbb4bf1345 | 7eacf887e210793b8fca141a72373c5ac44fb2fb | refs/heads/master | 2022-06-24T04:34:21.044523 | 2019-10-05T14:28:18 | 2019-10-05T14:28:18 | 187,440,519 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 4,970 | java | package org.xhh.db.dao;
import java.util.List;
import org.apache.ibatis.annotations.Param;
import org.xhh.db.domain.LitemallUserFormid;
import org.xhh.db.domain.LitemallUserFormidExample;
public interface LitemallUserFormidMapper {
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
long countByExample(LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int deleteByExample(LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int deleteByPrimaryKey(Integer id);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int insert(LitemallUserFormid record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int insertSelective(LitemallUserFormid record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
LitemallUserFormid selectOneByExample(LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
LitemallUserFormid selectOneByExampleSelective(@Param("example") LitemallUserFormidExample example, @Param("selective") LitemallUserFormid.Column ... selective);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
List<LitemallUserFormid> selectByExampleSelective(@Param("example") LitemallUserFormidExample example, @Param("selective") LitemallUserFormid.Column ... selective);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
List<LitemallUserFormid> selectByExample(LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
LitemallUserFormid selectByPrimaryKeySelective(@Param("id") Integer id, @Param("selective") LitemallUserFormid.Column ... selective);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
LitemallUserFormid selectByPrimaryKey(Integer id);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
LitemallUserFormid selectByPrimaryKeyWithLogicalDelete(@Param("id") Integer id, @Param("andLogicalDeleted") boolean andLogicalDeleted);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int updateByExampleSelective(@Param("record") LitemallUserFormid record, @Param("example") LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int updateByExample(@Param("record") LitemallUserFormid record, @Param("example") LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int updateByPrimaryKeySelective(LitemallUserFormid record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int updateByPrimaryKey(LitemallUserFormid record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int logicalDeleteByExample(@Param("example") LitemallUserFormidExample example);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table litemall_user_formid
*
* @mbg.generated
*/
int logicalDeleteByPrimaryKey(Integer id);
} | [
"[email protected]"
] | |
ef4efb819483952b760e210fb2c919f54e2e3651 | 7f35429f595f2e0b807fb679b1ccd5430afc6a81 | /src/main/java/br/com/msilveira/mq/dto/TypeItem.java | 6c6afc8345a8a70c316f079cf339b0bbda296039 | [] | no_license | mmsilveira/rabbitmq-java-client | bf713d7c74a3c9915a6b60c89b7a6c48a12c7fb0 | 3fc04e50306180dc4233491ed5f672fccc8076d5 | refs/heads/master | 2021-01-10T20:19:25.914586 | 2015-11-13T10:24:32 | 2015-11-13T10:24:32 | 19,282,784 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 222 | java | package br.com.msilveira.mq.dto;
public enum TypeItem {
PIZZA() {
@Override
public String toString() {
return "pizza";
}
},
HOT_DOG() {
@Override
public String toString() {
return "hotdog";
}
}
}
| [
"[email protected]"
] | |
338f698e8dfccf8fc7e26694913d356e82bc5ae1 | 9acba13e70570558e7df73e2cd2faba43bcee08b | /app/src/main/java/com/findme/adapters/MeetingPoint.java | 7d5853d46e89cfd7cbf4bd600e21b99b246ae915 | [] | no_license | paulkagiri/KakumaApp | f0373bef77cf05ba2c45cdbbd41f6fe5546fd255 | 69ca2a6659b681e372537b5c0d8e68d6a1960f95 | refs/heads/master | 2021-05-30T19:06:41.892010 | 2016-03-13T05:58:01 | 2016-03-13T05:58:01 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,147 | java | package com.findme.adapters;
import java.util.ArrayList;
public class MeetingPoint {
private String title;
private String location;
private ArrayList<String> meetingTimes;
/**
*
* @param title
* @param location
* @param meetingTimes
*/
public MeetingPoint(String title, String location,
ArrayList<String> meetingTimes) {
setTitle(title);
setLocation(location);
setMeetingTimes(meetingTimes);
}
/**
* @return the title
*/
public String getTitle() {
return title;
}
/**
* @param title
* the title to set
*/
public void setTitle(String title) {
this.title = title;
}
/**
* @return the location
*/
public String getLocation() {
return location;
}
/**
* @param location
* the location to set
*/
public void setLocation(String location) {
this.location = location;
}
/**
* @return the meetingTimes
*/
public ArrayList<String> getMeetingTimes() {
return meetingTimes;
}
/**
* @param meetingTimes
* the meetingTimes to set
*/
public void setMeetingTimes(ArrayList<String> meetingTimes) {
this.meetingTimes = meetingTimes;
}
}
| [
"[email protected]"
] | |
a263fec772075b319126e3287c98bc4fbec9e3b5 | f1411ba2e68d74a8c1906543ce2eefaff483039b | /src/java/edu/eventos/ifms/model/cursoModel.java | 1a8869b91ad4ba6b724a2bc07c8932158e22dbb4 | [] | no_license | lucasrpm73/Sistema-_Institucional_JavaWeb | 264d191c467cb132c0b314e5ba5c1a286c3f9221 | f05a053655463775dec8132a177ca56a65bcc950 | refs/heads/master | 2023-06-16T12:33:18.609341 | 2021-07-12T23:01:55 | 2021-07-12T23:01:55 | 203,999,821 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,562 | 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 edu.eventos.ifms.model;
import java.io.Serializable;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.FetchType;
import javax.persistence.GeneratedValue;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.ManyToOne;
import javax.persistence.Table;
import org.hibernate.annotations.Fetch;
import org.hibernate.annotations.FetchMode;
@Entity
@Table(name = "curso")
public class cursoModel implements Serializable {
@ManyToOne(fetch = FetchType.EAGER)
@Fetch(FetchMode.JOIN)
@JoinColumn(name = "idArea", insertable = true, updatable = true)
private areaModel area;
@Id
@GeneratedValue
private Long idCurso;
@Column(nullable = false, length = 40)
private String cursoNome;
public cursoModel() {
this.area = new areaModel();
}
public areaModel getArea() {
return area;
}
public void setArea(areaModel area) {
this.area = area;
}
public String getCursoNome() {
return cursoNome;
}
public void setCursoNome(String cursoNome) {
this.cursoNome = cursoNome;
}
public Long getIdCurso() {
return idCurso;
}
public void setIdCurso(Long idCurso) {
this.idCurso = idCurso;
}
}
| [
"[email protected]"
] | |
6caf657c50cb13b0e17bbdcd09b10bedd9912e23 | 52d7d035643602e2871c3facf9ee96c257c2b151 | /N2A/src/gov/sandia/n2a/ui/jobs/PanelRun.java | 5bf91280dcb663488d4faed8ae80223ef0aa574d | [] | no_license | huxin0221/n2a | 0181b773346d5849372bb755d252828c31fb169b | 3649cd9230fe90881304109e0bacdcf05d25f6e0 | refs/heads/master | 2020-05-05T03:30:27.568657 | 2019-04-04T14:47:50 | 2019-04-04T14:47:50 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 31,493 | java | /*
Copyright 2013-2018 National Technology & Engineering Solutions of Sandia, LLC (NTESS).
Under the terms of Contract DE-NA0003525 with NTESS,
the U.S. Government retains certain rights in this software.
*/
package gov.sandia.n2a.ui.jobs;
import gov.sandia.n2a.db.AppData;
import gov.sandia.n2a.db.MDir;
import gov.sandia.n2a.db.MDoc;
import gov.sandia.n2a.db.MNode;
import gov.sandia.n2a.execenvs.HostSystem;
import gov.sandia.n2a.ui.Lay;
import gov.sandia.n2a.ui.images.ImageUtil;
import java.awt.Component;
import java.awt.EventQueue;
import java.awt.Font;
import java.awt.Insets;
import java.awt.Rectangle;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.KeyAdapter;
import java.awt.event.KeyEvent;
import java.beans.PropertyChangeEvent;
import java.beans.PropertyChangeListener;
import java.io.BufferedReader;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.Iterator;
import java.util.LinkedList;
import java.util.List;
import java.util.regex.Matcher;
import javax.swing.ButtonGroup;
import javax.swing.Icon;
import javax.swing.JButton;
import javax.swing.JComboBox;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.JSplitPane;
import javax.swing.JTextArea;
import javax.swing.JToggleButton;
import javax.swing.JTree;
import javax.swing.event.TreeExpansionEvent;
import javax.swing.event.TreeExpansionListener;
import javax.swing.event.TreeSelectionEvent;
import javax.swing.event.TreeSelectionListener;
import javax.swing.event.TreeWillExpandListener;
import javax.swing.tree.DefaultTreeCellRenderer;
import javax.swing.tree.DefaultTreeModel;
import javax.swing.tree.ExpandVetoException;
import javax.swing.tree.TreeNode;
import javax.swing.tree.TreePath;
import javax.swing.tree.TreeSelectionModel;
@SuppressWarnings("serial")
public class PanelRun extends JPanel
{
public NodeBase root;
public DefaultTreeModel model;
public JTree tree;
public JScrollPane treePane;
public JButton buttonStop;
public ButtonGroup buttons;
public JComboBox<String> comboScript;
public JTextArea displayText;
public JScrollPane displayPane = new JScrollPane ();
public DisplayThread displayThread = null;
public NodeBase displayNode = null;
public MDir runs; // Copied from AppData for convenience
public List<NodeJob> running = new LinkedList<NodeJob> (); // Jobs that we are actively monitoring because they may still be running.
public PanelRun ()
{
root = new NodeBase ();
model = new DefaultTreeModel (root);
tree = new JTree (model);
tree.setRootVisible (false);
tree.setShowsRootHandles (true);
tree.getSelectionModel ().setSelectionMode (TreeSelectionModel.DISCONTIGUOUS_TREE_SELECTION);
tree.setCellRenderer (new DefaultTreeCellRenderer ()
{
@Override
public Component getTreeCellRendererComponent (JTree tree, Object value, boolean selected, boolean expanded, boolean leaf, int row, boolean hasFocus)
{
super.getTreeCellRendererComponent (tree, value, selected, expanded, leaf, row, hasFocus);
NodeBase node = (NodeBase) value;
Icon icon = node.getIcon (expanded); // A node knows whether it should hold other nodes or not, so don't pass leaf to it.
if (icon == null)
{
if (leaf) icon = getDefaultLeafIcon ();
else if (expanded) icon = getDefaultOpenIcon ();
else icon = getDefaultClosedIcon ();
}
setIcon (icon);
return this;
}
});
tree.addTreeSelectionListener (new TreeSelectionListener ()
{
Rectangle oldBounds;
public void valueChanged (TreeSelectionEvent e)
{
NodeBase newNode = (NodeBase) tree.getLastSelectedPathComponent ();
if (newNode == null) return;
if (newNode == displayNode) return;
if (oldBounds != null) tree.paintImmediately (oldBounds);
Rectangle newBounds = tree.getPathBounds (e.getPath ());
if (newBounds != null) tree.paintImmediately (newBounds);
oldBounds = newBounds;
displayNode = newNode;
if (displayNode instanceof NodeFile) viewFile ();
else if (displayNode instanceof NodeJob) viewJob ();
}
});
tree.addKeyListener (new KeyAdapter ()
{
public void keyPressed (KeyEvent e)
{
int keycode = e.getKeyCode ();
if (keycode == KeyEvent.VK_DELETE || keycode == KeyEvent.VK_BACK_SPACE)
{
delete ();
}
}
});
tree.addTreeWillExpandListener (new TreeWillExpandListener ()
{
public void treeWillExpand (TreeExpansionEvent event) throws ExpandVetoException
{
TreePath path = event.getPath (); // TODO: can this ever be null?
Object o = path.getLastPathComponent ();
if (o instanceof NodeJob) ((NodeJob) o).build (tree);
}
public void treeWillCollapse (TreeExpansionEvent event) throws ExpandVetoException
{
}
});
tree.addTreeExpansionListener (new TreeExpansionListener ()
{
public void treeExpanded (TreeExpansionEvent event)
{
repaintSouth (event.getPath ());
}
public void treeCollapsed (TreeExpansionEvent event)
{
repaintSouth (event.getPath ());
}
});
Thread refreshThreadSlow = new Thread ("Job Refresh Slow")
{
public void run ()
{
try
{
// Initial load
synchronized (running)
{
for (MNode n : AppData.runs) running.add (0, new NodeJob (n, false)); // Insert at front to create reverse time order. This should be efficient on a doubly-linked list.
for (NodeJob job : running) root.add (job);
}
EventQueue.invokeLater (new Runnable ()
{
public void run ()
{
// Update display with newly loaded jobs.
// If a job was added before we finish load, and if the user focused a row under it,
// then we want to retain that selection.
int row = tree.getLeadSelectionRow ();
model.nodeStructureChanged (root);
if (model.getChildCount (root) > 0) tree.setSelectionRow (Math.max (0, row));
}
});
// Periodic refresh to show status of running jobs
while (true)
{
synchronized (running)
{
Iterator<NodeJob> i = running.iterator ();
while (i.hasNext ())
{
NodeJob job = i.next ();
job.monitorProgress (PanelRun.this);
if (job.complete >= 1 || job.deleted) i.remove ();
}
}
sleep (20000);
}
}
catch (InterruptedException e)
{
}
}
};
refreshThreadSlow.setDaemon (true);
refreshThreadSlow.start ();
Thread refreshThreadFast = new Thread ("Job Refresh Fast")
{
public void run ()
{
try
{
while (true)
{
NodeBase d = displayNode; // Make local copy (atomic action) to prevent it changing from under us
if (d != null)
{
if (d instanceof NodeFile) d = (NodeBase) d.getParent (); // parent could be null, if a sub-node was just deleted
if (d != null) ((NodeJob) d).monitorProgress (PanelRun.this);
}
sleep (1000);
}
}
catch (InterruptedException e)
{
}
}
};
refreshThreadFast.setDaemon (true);
refreshThreadFast.start ();
displayText = new JTextArea ();
displayText.setEditable(false);
displayText.setFont (new Font (Font.MONOSPACED, Font.PLAIN, displayText.getFont ().getSize ()));
displayPane.setViewportView (displayText);
buttonStop = new JButton (ImageUtil.getImage ("stop.gif"));
buttonStop.setMargin (new Insets (2, 2, 2, 2));
buttonStop.setFocusable (false);
buttonStop.setToolTipText ("Kill Job");
buttonStop.addActionListener (new ActionListener ()
{
public void actionPerformed (ActionEvent e)
{
if (displayNode == null) return;
NodeJob killNode = null;
if (displayNode instanceof NodeJob)
{
killNode = (NodeJob) displayNode;
}
else
{
TreeNode parent = displayNode.getParent ();
if (parent instanceof NodeJob) killNode = (NodeJob) parent;
}
if (killNode != null) killNode.stop ();
}
});
ActionListener graphListener = new ActionListener ()
{
public void actionPerformed (ActionEvent e)
{
if (displayNode instanceof NodeFile) viewFile ();
}
};
JToggleButton buttonText = new JToggleButton (ImageUtil.getImage ("document.png"));
buttonText.setMargin (new Insets (2, 2, 2, 2));
buttonText.setFocusable (false);
buttonText.setToolTipText ("Display Text");
buttonText.addActionListener (graphListener);
buttonText.setActionCommand ("Text");
JToggleButton buttonTable = new JToggleButton (ImageUtil.getImage ("properties.gif"));
buttonTable.setMargin (new Insets (2, 2, 2, 2));
buttonTable.setFocusable (false);
buttonTable.setToolTipText ("Display Table");
buttonTable.addActionListener (graphListener);
buttonTable.setActionCommand ("Table");
JToggleButton buttonTableSorted = new JToggleButton (ImageUtil.getImage ("tableSorted.png"));
buttonTableSorted.setMargin (new Insets (2, 2, 2, 2));
buttonTableSorted.setFocusable (false);
buttonTableSorted.setToolTipText ("Display Table with Sorted Columns");
buttonTableSorted.addActionListener (graphListener);
buttonTableSorted.setActionCommand ("TableSorted");
JToggleButton buttonGraph = new JToggleButton (ImageUtil.getImage ("analysis.gif"));
buttonGraph.setMargin (new Insets (2, 2, 2, 2));
buttonGraph.setFocusable (false);
buttonGraph.setToolTipText ("Display Graph");
buttonGraph.addActionListener (graphListener);
buttonGraph.setActionCommand ("Graph");
JToggleButton buttonRaster = new JToggleButton (ImageUtil.getImage ("raster.png"));
buttonRaster.setMargin (new Insets (2, 2, 2, 2));
buttonRaster.setFocusable (false);
buttonRaster.setToolTipText ("Display Spike Raster");
buttonRaster.addActionListener (graphListener);
buttonRaster.setActionCommand ("Raster");
buttons = new ButtonGroup ();
buttons.add (buttonText);
buttons.add (buttonTable);
buttons.add (buttonTableSorted);
buttons.add (buttonGraph);
buttons.add (buttonRaster);
buttonText.setSelected (true);
comboScript = new JComboBox<String> ();
comboScript.setEditable (true);
comboScript.setToolTipText ("Run Script");
comboScript.addActionListener (new ActionListener ()
{
public void actionPerformed (ActionEvent e)
{
if (e.getActionCommand ().equals ("comboBoxEdited"))
{
String script = (String) comboScript.getSelectedItem ();
script = script.trim ();
comboScript.removeItem (script);
comboScript.insertItemAt (script, 0);
comboScript.setSelectedItem (script);
saveScripts ();
// Execute script
Path path = null;
if (displayNode instanceof NodeJob ) path = Paths.get (((NodeJob ) displayNode).source.get ());
else if (displayNode instanceof NodeFile) path = ((NodeFile) displayNode).path;
if (path != null)
{
String pathString = path.toAbsolutePath ().toString ();
String dirString = path.getParent ().toAbsolutePath ().toString ();
System.out.println ("script=" + script);
System.out.println ("path=" + pathString);
System.out.println ("dir=" + dirString);
script = script.replaceAll ("\\%d", Matcher.quoteReplacement (dirString));
script = script.replaceAll ("\\%f", Matcher.quoteReplacement (pathString));
try {Runtime.getRuntime ().exec (script);}
catch (IOException error) {error.printStackTrace ();}
}
}
}
});
comboScript.getEditor ().getEditorComponent ().addKeyListener (new KeyAdapter ()
{
public void keyPressed (KeyEvent e)
{
if (e.getKeyCode () == KeyEvent.VK_DELETE && e.isControlDown ())
{
String script = (String) comboScript.getSelectedItem ();
comboScript.removeItem (script);
saveScripts ();
e.consume ();
}
}
});
for (MNode n : AppData.state.childOrCreate ("PanelRun", "scripts")) comboScript.addItem (n.get ());
JSplitPane split;
Lay.BLtg
(
this,
split = Lay.SPL
(
Lay.BL (treePane = Lay.sp (tree)),
Lay.BL
(
"N", Lay.BL
(
"W", Lay.FL
(
"L",
Lay.BL (buttonStop, "eb=20r"),
buttonText,
buttonTable,
buttonTableSorted,
buttonGraph,
buttonRaster, "eb=20r",
"hgap=5,vgap=1"
),
"C", comboScript
),
"C", displayPane
)
)
);
setFocusCycleRoot (true);
split.setDividerLocation (AppData.state.getOrDefaultInt ("PanelRun", "divider", "250"));
split.addPropertyChangeListener (JSplitPane.DIVIDER_LOCATION_PROPERTY, new PropertyChangeListener ()
{
public void propertyChange (PropertyChangeEvent e)
{
Object o = e.getNewValue ();
if (o instanceof Integer) AppData.state.set ("PanelRun", "divider", o);
}
});
}
public void saveScripts ()
{
MNode scripts = AppData.state.childOrCreate ("PanelRun", "scripts");
scripts.clear ();
for (int i = 0; i < comboScript.getItemCount (); i++)
{
scripts.set (String.valueOf (i), comboScript.getItemAt (i));
}
}
public class DisplayThread extends Thread
{
public NodeFile node;
public String viz; ///< The type of visualization to show, such as table, graph or raster
public boolean stop = false;
public DisplayThread (NodeFile node, String viz)
{
super ("PanelRun Fetch File");
this.node = node;
this.viz = viz;
}
public void run ()
{
try
{
// Step 1 -- Get data into local directory
// TODO: manage and display files that are too big for memory, or even too big to store on local system
// There are three sizes of data:
// small -- can load entirely into memory
// big -- too big for memory; must load/display in segments
// huge -- too big to store on local system, for example a supercomputer job; must be downloaded/displayed in segments
// The current code only handles small files. In particular, we don't actually do Step 1, but simply assume data is local.
MNode job = ((NodeJob) node.getParent ()).source;
HostSystem env = HostSystem.get (job.getOrDefault ("$metadata", "host", "localhost"));
// Step 2 -- Load data
// The exact method depends on node type and the current display mode, selected by pushbuttons and stored in viz
if (node.type == NodeFile.Type.Video)
{
final Video v = new Video (node);
EventQueue.invokeLater (new Runnable ()
{
public void run ()
{
if (stop) return;
displayPane.setViewportView (v);
v.play ();
}
});
return;
}
else if (node.type == NodeFile.Type.Picture)
{
final Picture p = new Picture (node.path);
EventQueue.invokeLater (new Runnable ()
{
public void run ()
{
if (stop) return;
displayPane.setViewportView (p);
displayPane.paintImmediately (displayPane.getBounds ());
}
});
return;
}
else if (! viz.equals ("Text"))
{
// Determine if the file is actually a table that can be graphed
Path dir = node.path.getParent ();
String fileName = node.path.getFileName ().toString ();
boolean graphable = Files.exists (dir.resolve (fileName + ".columns")); // An auxiliary column file is sufficient evidence that this is tabular data.
if (! graphable)
{
BufferedReader reader = Files.newBufferedReader (node.path);
String line = reader.readLine ();
graphable = line.startsWith ("$t") || line.startsWith ("Index");
if (! graphable)
{
// Try an alternate heuristic: Does the line appear to be a set of tab-delimited fields?
// Don't allow spaces, because it could look too much like ordinary text.
line = reader.readLine (); // Get a second line, just to ensure we get past textual headers.
if (line != null)
{
String[] pieces = line.split ("\\t");
int columns = 0;
for (String p : pieces)
{
if (p.length () < 20)
{
try
{
double v = Double.parseDouble (p);
if (v != 0) columns++;
}
catch (Exception e) {}
}
}
// At least 3 viable columns, and more than half are interpretable as numbers.
graphable = columns >= 3 && (double) columns / pieces.length > 0.7;
}
}
reader.close ();
}
if (graphable)
{
Component panel = null;
if (viz.equals ("Table"))
{
Table table = new Table (node.path, false);
if (table.hasData ()) panel = table.createVisualization ();
}
else if (viz.equals ("TableSorted"))
{
Table table = new Table (node.path, true);
if (table.hasData ()) panel = table.createVisualization ();
}
else if (viz.equals ("Graph"))
{
Plot plot = new Plot (node.path);
if (plot.hasData ()) panel = plot.createGraphPanel ();
}
else if (viz.equals ("Raster"))
{
Raster raster = new Raster (node.path);
panel = raster.createGraphPanel ();
}
if (stop) return;
if (panel != null)
{
final Component p = panel;
EventQueue.invokeLater (new Runnable ()
{
public void run ()
{
if (stop) return;
displayPane.setViewportView (p);
displayPane.paintImmediately (displayPane.getBounds ());
}
});
return;
}
// Otherwise, fall through ...
}
}
// Default is plain text
final String contents = env.getFileContents (node.path.toString ());
if (stop) return;
EventQueue.invokeLater (new Runnable ()
{
public void run ()
{
synchronized (displayText)
{
if (stop) return;
displayText.setText (contents);
displayText.setCaretPosition (0);
}
displayPane.paintImmediately (displayPane.getBounds ());
}
});
}
catch (Exception e)
{
}
};
}
public void viewFile ()
{
synchronized (displayText)
{
if (displayThread != null)
{
displayThread.stop = true;
displayThread = null;
}
displayText.setText ("loading...");
}
if (displayPane.getViewport ().getView () != displayText) displayPane.setViewportView (displayText);
String viz = buttons.getSelection ().getActionCommand ();
displayThread = new DisplayThread ((NodeFile) displayNode, viz);
displayThread.start ();
}
public void viewJob ()
{
if (displayThread != null)
{
synchronized (displayText)
{
displayThread.stop = true;
displayThread = null;
}
}
NodeJob job = (NodeJob) displayNode;
MNode doc = job.source;
StringBuilder contents = new StringBuilder ();
contents.append ("Status:");
if (job.complete < 0) contents.append (" Waiting");
else if (job.complete == 0) contents.append (" Started");
else if (job.complete > 0 && job.complete < 1) contents.append (" " + Math.round (job.complete * 100) + "%");
else if (job.complete == 1) contents.append (" Success");
else if (job.complete == 3) contents.append (" Killed");
else contents.append (" Failed"); // complete==2, or any value not specified above
contents.append ("\n");
if (job.dateStarted != null) contents.append (" started: " + job.dateStarted + "\n");
if (job.dateFinished != null) contents.append (" finished: " + job.dateFinished + "\n");
contents.append ("\n");
appendMetadata (doc, contents, "backend");
appendMetadata (doc, contents, "duration");
appendMetadata (doc, contents, "host");
appendMetadata (doc, contents, "pid");
appendMetadata (doc, contents, "seed");
synchronized (displayText)
{
displayText.setText (contents.toString ());
displayText.setCaretPosition (0);
}
if (displayPane.getViewport ().getView () != displayText) displayPane.setViewportView (displayText);
displayPane.paintImmediately (displayPane.getBounds ());
}
public void appendMetadata (MNode doc, StringBuilder result, String... indices)
{
MNode child = doc.child ("$metadata");
if (child == null) return;
child = child.child (indices);
if (child == null) return;
String name = "";
for (String i : indices) name += "." + i;
name = name.substring (1);
result.append (name + "=" + child.get () + "\n");
}
public void delete ()
{
TreePath[] paths = tree.getSelectionPaths ();
if (paths.length < 1) return;
boolean nextSelectionIsParent = false;
NodeBase firstSelection = (NodeBase) paths[0 ].getLastPathComponent ();
NodeBase lastSelection = (NodeBase) paths[paths.length-1].getLastPathComponent ();
NodeBase nextSelection = (NodeBase) lastSelection .getNextSibling ();
if (nextSelection == null) nextSelection = (NodeBase) firstSelection.getPreviousSibling ();
if (nextSelection == null)
{
nextSelection = (NodeBase) firstSelection.getParent ();
nextSelectionIsParent = true;
}
for (TreePath path : paths)
{
final NodeBase node = (NodeBase) path.getLastPathComponent ();
model.removeNodeFromParent (node);
if (displayNode == node)
{
synchronized (displayText)
{
displayText.setText ("");
}
if (displayPane.getViewport ().getView () != displayText) displayPane.setViewportView (displayText);
}
new Thread ("PanelRun Delete")
{
public void run ()
{
if (node instanceof NodeJob)
{
NodeJob job = (NodeJob) node;
synchronized (job) {job.deleted = true;}
MDoc doc = (MDoc) job.source;
HostSystem env = HostSystem.get (doc.getOrDefault ("$metadata", "host", "localhost"));
String jobName = doc.key ();
try
{
if (job.complete < 1) job.stop ();
env.deleteJob (jobName);
}
catch (Exception e) {}
doc.delete ();
}
else if (node instanceof NodeFile)
{
try {Files.delete (((NodeFile) node).path);}
catch (IOException e) {}
}
};
}.start ();
}
if (nextSelectionIsParent)
{
if (nextSelection.getChildCount () > 0) tree.setSelectionPath (new TreePath (((NodeBase) nextSelection.getChildAt (0)).getPath ()));
else if (nextSelection != root) tree.setSelectionPath (new TreePath ( nextSelection .getPath ()));
}
else
{
tree.setSelectionPath (new TreePath (nextSelection.getPath ()));
}
tree.paintImmediately (treePane.getViewport ().getViewRect ());
}
public void addNewRun (MNode run)
{
final NodeJob node = new NodeJob (run, true);
model.insertNodeInto (node, root, 0); // Since this always executes on event dispatch thread, it will not conflict with other code that accesses model.
if (root.getChildCount () == 1) model.nodeStructureChanged (root); // If the list was empty, we need to give the JTree a little extra kick to get started.
tree.setSelectionRow (0);
tree.requestFocusInWindow ();
new Thread ("PanelRun Add New Run")
{
public void run ()
{
try
{
// Wait just a little bit, so backend has a chance to deposit a "started" file in the job directory.
// Backends should do this as early as possible.
// TODO: Add a state to represent ready to run but not yet running. Waiting on queue in a supercomputer would fall in this category.
Thread.sleep (500);
}
catch (InterruptedException e)
{
}
node.monitorProgress (PanelRun.this);
if (node.complete < 1) synchronized (running) {running.add (0, node);} // It could take a very long time for this job to get added, but no longer than one complete update pass over running jobs.
};
}.start ();
}
public void repaintSouth (TreePath path)
{
Rectangle node = tree.getPathBounds (path);
Rectangle visible = treePane.getViewport ().getViewRect ();
visible.height -= node.y - visible.y;
visible.y = node.y;
tree.paintImmediately (visible);
}
}
| [
"[email protected]"
] | |
803e130dc978536ffa64602b8499d0d740ccb0a9 | 23df0839ecb1870a28dab2626b325b462d0e6bde | /app/src/androidTest/java/com/example/appv1/ExampleInstrumentedTest.java | d07fa9c149e5f2948a19547cb0c28f73682238b8 | [] | no_license | theyashl/WIC | 09cc0494851463fd7d2843e5a9272579e66b7d1e | 46766308415b3a2565889311a5992fa0ae8a8871 | refs/heads/master | 2023-06-03T03:51:07.314508 | 2021-06-25T17:36:00 | 2021-06-25T17:36:00 | 379,997,788 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 748 | java | package com.example.appv1;
import android.content.Context;
import androidx.test.platform.app.InstrumentationRegistry;
import androidx.test.ext.junit.runners.AndroidJUnit4;
import org.junit.Test;
import org.junit.runner.RunWith;
import static org.junit.Assert.*;
/**
* Instrumented test, which will execute on an Android device.
*
* @see <a href="http://d.android.com/tools/testing">Testing documentation</a>
*/
@RunWith(AndroidJUnit4.class)
public class ExampleInstrumentedTest {
@Test
public void useAppContext() {
// Context of the app under test.
Context appContext = InstrumentationRegistry.getInstrumentation().getTargetContext();
assertEquals("com.example.appv1", appContext.getPackageName());
}
} | [
"[email protected]"
] | |
24747661ea590900c2b36f72d6eeaa97194642bc | c528d4033c5605f958e49b2f7cf27bf3acbeeabe | /src/com/company/Game.java | b332ac1926e9af47648c27f0d1648e5ee0780520 | [] | no_license | TwiZxD/Java-GameEngine | 56c6b48263691b93bdc4552a2225c015fff72ead | e9d6f3702990c426526d101dede5ea8237ca045b | refs/heads/master | 2020-03-21T13:30:48.239535 | 2018-06-25T15:00:04 | 2018-06-25T15:00:04 | 138,610,003 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,988 | java | package com.company;
import java.awt.*;
import java.awt.image.BufferStrategy;
import java.awt.image.BufferedImage;
import java.awt.image.DataBufferInt;
/**
* Created by Johan Segerlund on 2018-06-12.
*/
public class Game extends Canvas implements Runnable {
private static final int WIDTH = 300;
private static final int HEIGHT = 168;
private static final int SCALE = 2;
public String title = "GameEngine";
private Thread thread;
private boolean running = false;
private Screen screen;
/** Create Image */
private BufferedImage image = new BufferedImage(WIDTH, HEIGHT, BufferedImage.TYPE_INT_RGB);
/** Access Image */
private int[] pixels = ((DataBufferInt)image.getRaster().getDataBuffer()).getData();
public Game() {
Dimension size = new Dimension(WIDTH * SCALE, HEIGHT * SCALE);
setPreferredSize(size);
screen = new Screen(WIDTH, HEIGHT);
}
private void update() {
}
private void render() {
BufferStrategy bs = getBufferStrategy();
if (bs == null) {
createBufferStrategy(3);
return;
}
screen.clear();
screen.render();
for (int i = 0; i < pixels.length; i++){
pixels[i] = screen.pixels[i];
}
Graphics graphics = bs.getDrawGraphics();
graphics.drawImage(image, 0, 0, getWidth(), getHeight(), null);
graphics.dispose(); //Release Resources
bs.show();
}
public synchronized void start() {
running = true;
thread = new Thread(this, "Display" + title);
thread.start();
}
public synchronized void stop() throws InterruptedException {
running = false;
try {
thread.join();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
@Override
public void run() {
while(running) {
update();
render();
}
}
}
| [
"[email protected]"
] | |
cf63c991c986faf1a85fd7537cdeb762c5c8a04b | 8a4598983c3fa007b66dea960b13293195d412b2 | /src/main/java/cn/com/doone/tx/cloud/service/user/info/StaffInfo.java | e90b9222639d690e60ff9250e06adc347a11ff4c | [] | no_license | anglezhang/springboot_jpa_demo | 2e8fe415a75dde42407cf86d4d2edc58837ec17a | 2114595a809e4d31b730efa202e53dc3b6b5f581 | refs/heads/master | 2022-12-19T15:27:06.120030 | 2020-09-28T13:33:38 | 2020-09-28T13:33:38 | 299,318,487 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 7,227 | java | package cn.com.doone.tx.cloud.service.user.info;
import java.io.Serializable;
import java.util.Date;
import java.util.List;
import cn.com.doone.tx.cloud.tool.login.bean.MenuInfo;
/**
* liujx 人员信息响应类
*/
public class StaffInfo implements Serializable {
private static final long serialVersionUID = -6145447086877060589L;
private Long id;
private String staffCode;
private String staffName;
private String passWd;
private String contractTel;
private Long attchId;
private String scope;
private Integer sex;
private String status;
private Date createTime;
private Date updateTime;
private Long operator;
private String isSuperManager;
private String creatorName;
/** 类型 */
private String staffType;
// 1、登录ticket
private String loginTicket;
// 2、用户组信息
/** 用户组 id */
private Long groupId;
/** 用户组名称 */
private String groupName;
/** 省编码 */
private String provinceCode;
/** 市编码 */
private String cityCode;
/** 区域编码 */
private String areaCode;
/** 街道编码 */
private String streetCode;
/** 业务系统编码 */
private String sysCode;
/** 登录页面 */
private String loginUrl;
/** 认证成功页面 */
private String successUrl;
/** 密码修改页面 */
private String pwdUrl;
/** 单点超时 单位:秒 */
private String overSeconds;
/** 延长登录 单位:分钟 */
private String extendMin;
// 3、用户角色信息
private List<RoleInfo> roleInfoList;
// 4、用户菜单、按钮信息
private List<MenuInfo> menuInfoList;
// 国家编码
private List<String> countryCodes;
// 国家编码
private String countryCode;
// 商户id
private Long merchantId;
public String getCountryCode() {
return countryCode;
}
public void setCountryCode(String countryCode) {
this.countryCode = countryCode;
}
public String getLoginTicket() {
return loginTicket;
}
public void setLoginTicket(String loginTicket) {
this.loginTicket = loginTicket;
}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getStaffCode() {
return staffCode;
}
public void setStaffCode(String staffCode) {
this.staffCode = staffCode;
}
public String getStaffName() {
return staffName;
}
public void setStaffName(String staffName) {
this.staffName = staffName;
}
public String getPassWd() {
return passWd;
}
public void setPassWd(String passWd) {
this.passWd = passWd;
}
public String getContractTel() {
return contractTel;
}
public void setContractTel(String contractTel) {
this.contractTel = contractTel;
}
public String getScope() {
return scope;
}
public void setScope(String scope) {
this.scope = scope;
}
public Integer getSex() {
return sex;
}
public void setSex(Integer sex) {
this.sex = sex;
}
public String getStatus() {
return status;
}
public void setStatus(String status) {
this.status = status;
}
public Date getCreateTime() {
return createTime;
}
public void setCreateTime(Date createTime) {
this.createTime = createTime;
}
public Date getUpdateTime() {
return updateTime;
}
public void setUpdateTime(Date updateTime) {
this.updateTime = updateTime;
}
public Long getOperator() {
return operator;
}
public void setOperator(Long operator) {
this.operator = operator;
}
public Long getGroupId() {
return groupId;
}
public void setGroupId(Long groupId) {
this.groupId = groupId;
}
public String getGroupName() {
return groupName;
}
public void setGroupName(String groupName) {
this.groupName = groupName;
}
public String getProvinceCode() {
return provinceCode;
}
public void setProvinceCode(String provinceCode) {
this.provinceCode = provinceCode;
}
public String getCityCode() {
return cityCode;
}
public void setCityCode(String cityCode) {
this.cityCode = cityCode;
}
public String getAreaCode() {
return areaCode;
}
public void setAreaCode(String areaCode) {
this.areaCode = areaCode;
}
public String getStreetCode() {
return streetCode;
}
public void setStreetCode(String streetCode) {
this.streetCode = streetCode;
}
public List<RoleInfo> getRoleInfoList() {
return roleInfoList;
}
public void setRoleInfoList(List<RoleInfo> roleInfoList) {
this.roleInfoList = roleInfoList;
}
public List<MenuInfo> getMenuInfoList() {
return menuInfoList;
}
public void setMenuInfoList(List<MenuInfo> menuInfoList) {
this.menuInfoList = menuInfoList;
}
public String getIsSuperManager() {
return isSuperManager;
}
public void setIsSuperManager(String isSuperManager) {
this.isSuperManager = isSuperManager;
}
public String getCreatorName() {
return creatorName;
}
public void setCreatorName(String creatorName) {
this.creatorName = creatorName;
}
public Long getAttchId() {
return attchId;
}
public void setAttchId(Long attchId) {
this.attchId = attchId;
}
public Long getMerchantId() {
return merchantId;
}
public void setMerchantId(Long merchantId) {
this.merchantId = merchantId;
}
public String getSysCode() {
return sysCode;
}
public void setSysCode(String sysCode) {
this.sysCode = sysCode;
}
public String getLoginUrl() {
return loginUrl;
}
public void setLoginUrl(String loginUrl) {
this.loginUrl = loginUrl;
}
public String getSuccessUrl() {
return successUrl;
}
public void setSuccessUrl(String successUrl) {
this.successUrl = successUrl;
}
public String getPwdUrl() {
return pwdUrl;
}
public void setPwdUrl(String pwdUrl) {
this.pwdUrl = pwdUrl;
}
public String getOverSeconds() {
return overSeconds;
}
public void setOverSeconds(String overSeconds) {
this.overSeconds = overSeconds;
}
public String getExtendMin() {
return extendMin;
}
public void setExtendMin(String extendMin) {
this.extendMin = extendMin;
}
public String getStaffType() {
return staffType;
}
public void setStaffType(String staffType) {
this.staffType = staffType;
}
public List<String> getCountryCodes() {
return countryCodes;
}
public void setCountryCodes(List<String> countryCodes) {
this.countryCodes = countryCodes;
}
@Override
public String toString() {
return "StaffInfo [id=" + id + ", staffCode=" + staffCode + ", staffName=" + staffName + ", passWd=" + passWd
+ ", contractTel=" + contractTel + ", attchId=" + attchId + ", scope=" + scope + ", sex=" + sex
+ ", status=" + status + ", createTime=" + createTime + ", updateTime=" + updateTime + ", operator="
+ operator + ", isSuperManager=" + isSuperManager + ", creatorName=" + creatorName + ", staffType="
+ staffType + ", loginTicket=" + loginTicket + ", groupId=" + groupId + ", groupName=" + groupName
+ ", provinceCode=" + provinceCode + ", cityCode=" + cityCode + ", areaCode=" + areaCode
+ ", streetCode=" + streetCode + ", sysCode=" + sysCode + ", loginUrl=" + loginUrl + ", successUrl="
+ successUrl + ", pwdUrl=" + pwdUrl + ", overSeconds=" + overSeconds + ", extendMin=" + extendMin
+ ", roleInfoList=" + roleInfoList + ", menuInfoList=" + menuInfoList + ", countryCodes=" + countryCodes
+ ", merchantId=" + merchantId + "]";
}
}
| [
"[email protected]"
] | |
952a85c224a03586a3e51ce4d20702b820e99f16 | 5b2182cd4dde48209d304cf32a0aa2bba68b3e4a | /src/lesson11/DoubleDemo.java | 9d06344b5beb76a6820951a4f9036b1148540fb3 | [] | no_license | Ruslas/my-java-core | 034b6cf8c734f0c1464a89aa6c1b6e2e0af196bf | 8105fa6fb1bec8499dbeb78ed6737c4003215e4c | refs/heads/master | 2022-06-22T10:30:22.329139 | 2019-09-09T16:46:48 | 2019-09-09T16:46:48 | 150,895,107 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 724 | java | package lesson11;
/**
* Created by student on 28.10.2018.
*/
public class DoubleDemo {
public static void main(String[] args) {
Double d1 = 3476.354535534;
Double d2 = new Double("23.4");
Double d3 = 4.1;
Double d4 = Double.valueOf("3.4");
double d5 = Double.parseDouble("56.2332");
Number in1 = 56;
Integer in2 = 45;
System.out.println(d1 + "; " + d2 + "; " + d3 + "; " + d4 + "; " + d5);
System.out.println(d1.byteValue());
System.out.println(d1.shortValue());
System.out.println(d1.longValue());
System.out.println(d1.floatValue());
System.out.println(d1.intValue());
System.out.println(in1);
}
}
| [
"[email protected]"
] | |
688ac73b040916e093301b31dc791e479a1eaf41 | eccf45ded5e2e32c6c4e92a78906dbf474ec38b2 | /java_collection_shuffle_and_deal_deck_v1/src/BeingPlayGame.java | 193a564cbd149219a50659c742c2665eaf3c8cb2 | [] | no_license | liuxiaoping910818/SmallConsoleProject | 3b69ae260d2f8a1116427223f4d821fdda473989 | 7e1f31f284eb0d52dfb671b58f91ee9f3387d6c2 | refs/heads/master | 2020-04-10T07:33:20.331661 | 2015-08-05T14:07:59 | 2015-08-05T14:07:59 | 40,351,662 | 0 | 1 | null | 2015-08-07T09:08:04 | 2015-08-07T09:08:03 | null | GB18030 | Java | false | false | 5,864 | java |
public class BeingPlayGame {
/**
* 游戏属性
*/
private static DeckMap decks = new DeckMap();;
private static PlayerList players = new PlayerList();
private static DeckList deckList = new DeckList();
final static int NPLAYER = 2; //玩家数量,避免魔数
final static int NCARD = 2; //手牌数量
/**
* @param args
* 思路:
* 1. 先创建各个类
* 2. 再在主方法中写出各个接口方法的调用
* 1. 提示信息均在方法中实现,主方法中只出现方法调用和异常处理
* 3. 根据接口填充各个类
* 4. 调试
*
* 5. 为便于调试,所有方法均定义为静态
*/
public static void main(String[] args) {
createDecks();
printDecs();
shuffleDecks();
createPlayers();
dealDecks();
letsGO();
}
public static void shuffleDecks(){
System.out.println("------------开始洗牌---------------");
deckList.shuffleDeckList(decks.size());
System.out.println("------------洗牌结束!-------------");
}
public static void createPlayers(){
System.out.println("------------创建玩家---------------");
players.addPlayer(NPLAYER);
for(int i = 0; i < NPLAYER; i++){
System.out.println("---欢迎玩家:" + players.get(i).getname());
}
}
public static void dealDecks(){
System.out.println("------------开始发牌---------------");
int deckListIndex = 0;
for(int i = 0; i < NCARD; i++){
for(int j = 0; j < NPLAYER; j++){
System.out.println("玩家:"+players.get(j).getname()+"-拿牌");
//deckList 列表中存放的是洗过牌的 ID 号,按顺序取出 ID 号,
//发到 players 玩家列表的第 j 个玩家的手牌列表的第 i 个位置
players.addPlayerHand(j, i, deckList.get(deckListIndex));
deckListIndex++;
}
}
System.out.println("------------发牌结束!-------------");
//玩家整理手牌,按从小到大的顺序排列
for(int i = 0; i < NPLAYER; i++){
players.get(i).gethands().handsSort();
}
}
/**
* 游戏涉及到比较大小大小的操作,而且不是自然顺序
* 所以调用Comparator接口
*
* HandMap改进后:
* 因为对手牌数据结构做了重新设计
* 可以直接调用sort方法了
*/
public static void letsGO(){
System.out.println("------------开始游戏---------------");
for(int i = 0; i < NPLAYER; i++){
System.out.println("玩家:"+players.get(i).getname()+"最大手牌为:" +
decks.get(players.get(i).gethands().get(NCARD-1)).getcolor() +
decks.get(players.get(i).gethands().get(NCARD-1)).getnumber());
}
int win = 0;
if(players.get(0).gethands().get(NCARD-1) < players.get(1).gethands().get(NCARD-1)){
win = 1;
}
System.out.println("------------玩家:" + players.get(win).getname() + "获胜!-------");
System.out.println("玩家各自的手牌为:");
int i = 0;
int j = 0;
for(i = 0; i < NPLAYER; i++){
System.out.print(players.get(i).getname() + ":[");
for(j = 0; j < NCARD-1; j++){
System.out.print(decks.get(players.get(i).gethands().get(j)).getcolor() +
decks.get(players.get(i).gethands().get(j)).getnumber() + ", ");
}
System.out.println(decks.get(players.get(i).gethands().get(j)).getcolor() +
decks.get(players.get(i).gethands().get(j)).getnumber() + "]");
}
}
public static void createDecks(){
System.out.println("------------创建扑克牌-------------");
decks.decksPut(0, "2", "方块");
decks.decksPut(1, "2", "梅花");
decks.decksPut(2, "2", "红桃");
decks.decksPut(3, "2", "黑桃");
decks.decksPut(4, "3", "方块");
decks.decksPut(5, "3", "梅花");
decks.decksPut(6, "3", "红桃");
decks.decksPut(7, "3", "黑桃");
decks.decksPut(8, "4", "方块");
decks.decksPut(9, "4", "梅花");
decks.decksPut(10, "4", "红桃");
decks.decksPut(11, "4", "黑桃");
decks.decksPut(12, "5", "方块");
decks.decksPut(13, "5", "梅花");
decks.decksPut(14, "5", "红桃");
decks.decksPut(15, "5", "黑桃");
decks.decksPut(16, "6", "方块");
decks.decksPut(17, "6", "梅花");
decks.decksPut(18, "6", "红桃");
decks.decksPut(19, "6", "黑桃");
decks.decksPut(20, "7", "方块");
decks.decksPut(21, "7", "梅花");
decks.decksPut(22, "7", "红桃");
decks.decksPut(23, "7", "黑桃");
decks.decksPut(24, "8", "方块");
decks.decksPut(25, "8", "梅花");
decks.decksPut(26, "8", "红桃");
decks.decksPut(27, "8", "黑桃");
decks.decksPut(28, "9", "方块");
decks.decksPut(29, "9", "梅花");
decks.decksPut(30, "9", "红桃");
decks.decksPut(31, "9", "黑桃");
decks.decksPut(32, "10", "方块");
decks.decksPut(33, "10", "梅花");
decks.decksPut(34, "10", "红桃");
decks.decksPut(35, "10", "黑桃");
decks.decksPut(36, "J", "方块");
decks.decksPut(37, "J", "梅花");
decks.decksPut(38, "J", "红桃");
decks.decksPut(39, "J", "黑桃");
decks.decksPut(40, "Q", "方块");
decks.decksPut(41, "Q", "梅花");
decks.decksPut(42, "Q", "红桃");
decks.decksPut(43, "Q", "黑桃");
decks.decksPut(44, "K", "方块");
decks.decksPut(45, "K", "梅花");
decks.decksPut(46, "K", "红桃");
decks.decksPut(47, "K", "黑桃");
decks.decksPut(48, "A", "方块");
decks.decksPut(49, "A", "梅花");
decks.decksPut(50, "A", "红桃");
decks.decksPut(51, "A", "黑桃");
System.out.println("------------扑克牌创建成功!-------");
//return decks;
}
public static void printDecs(){
System.out.print("为:[");
int i = 0;
for(i = 0; i < decks.size() - 1; i++){
System.out.print(decks.get(i).getcolor() + decks.get(i).getnumber() + ", ");
}
System.out.println(decks.get(i).getcolor() + decks.get(i).getnumber() + "]");
}
}
| [
"[email protected]"
] | |
571bb956e818ba47b7b745ef4f4fd19d8ab83977 | 036b9a1963a46f5e88912516362e9f549e86e91a | /src/model/expression/LogicExpression.java | a0e737921c0696405dde116d1025384fc95ee6ba | [] | no_license | iulianapascotescu/interpreterToyLanguage | 12ef1e8f1c5ade2d20a75d95834ef15a140beb56 | 1f4aeff8b4f97a8892d28757ab8c46c714244449 | refs/heads/master | 2022-04-05T14:22:26.316322 | 2020-01-03T20:13:16 | 2020-01-03T20:13:16 | 231,656,040 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 2,534 | java | package model.expression;
import exceptions.MyException;
import model.programState.InterfaceDictionary;
import model.type.BoolType;
import model.type.IntType;
import model.type.Type;
import model.value.BoolValue;
import model.value.Value;
public class LogicExpression implements Expression {
private Expression expression1;
private Expression expression2;
private int operation;
public LogicExpression(Expression expression1, Expression expression2, int operation) {
this.expression1 = expression1;
this.expression2 = expression2;
this.operation = operation;
}
public String toString(){
return expression1.toString()+" "+String.valueOf(operation)+" "+expression2.toString();
}
public Expression getExpression1()
{
return expression1;
}
public Expression getExpression2()
{
return expression2;
}
public int getOperation(){
return operation;
}
public Value evaluate(InterfaceDictionary<String, Value> table, InterfaceDictionary<Integer, Value> heap) throws MyException {
Value v1,v2;
v1 = expression1.evaluate(table,heap);
if(v1.getType().equals(new BoolType())){
v2 = expression2.evaluate(table,heap);
if(v2.getType().equals(new BoolType())){
BoolValue i1 = (BoolValue) v1;
BoolValue i2 = (BoolValue) v2;
boolean n1=i1.getValue(),n2=i2.getValue();
if(operation=='|') return new BoolValue(n1||n2);
else if(operation=='&') return new BoolValue(n1&&n2);
else throw new MyException("LogicExpression: wrong operator");
}
else throw new MyException("LogicExpression: second operator is not a boolean");
}
else throw new MyException("LogicExpression: first operand is not a boolean");
}
public Type typeCheck(InterfaceDictionary<String,Type> typeEnvironment) throws MyException{
Type type1, type2;
type1=expression1.typeCheck(typeEnvironment);
type2=expression2.typeCheck(typeEnvironment);
if (type1.equals(new BoolType())) {
if (type2.equals(new BoolType())) {
return new BoolType();
} else
throw new MyException("LogicExpression: second operand is not a boolean");
}else
throw new MyException("LogicExpression: first operand is not a boolean");
}
}
| [
"[email protected]"
] | |
af0c2057b21a5bc088abd9aa9bccf75290a43c1b | dcd0d8d5c3927070af5123850f318d57f5efefb8 | /src/action/impl/LoginAction.java | d425806fc98b75b1fa8446038d4abdfd3d2694a3 | [] | no_license | mandrak69/WebAppMVC | ea405534fabec4ecf0d013479bbb1b2d95073e99 | 32b32aeaf39f24b94aafd1e4a80364c195db8cd3 | refs/heads/master | 2021-03-14T20:30:14.889625 | 2020-03-18T09:57:24 | 2020-03-18T09:57:24 | 246,792,437 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,408 | java | package action.impl;
import java.util.List;
import javax.servlet.RequestDispatcher;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpSession;
import action.AbstractAction;
import domain.User;
import validator.Validator;
import validator.impl.UserValidator;
public class LoginAction extends AbstractAction {
@Override
public String execute(HttpServletRequest request) {
String paramUsername = request.getParameter("username");
String paramPassword = request.getParameter("password");
String page = "../login.jsp";
User checkUser = new User(paramUsername, paramPassword);
@SuppressWarnings("unchecked")
List<User> users = (List<User>) request.getServletContext().getAttribute("users");
for (User credentials : users) {
if (credentials.getUsername().equals(checkUser.getUsername())) {
if (credentials.getPassword().equals(checkUser.getPassword())) {
String token = String.valueOf(Math.random());
HttpSession session = request.getSession();
session.setAttribute("token", token);
session.setAttribute("username", checkUser.getUsername());
page = "../index.jsp";
// page = "/WEB-INF/pages/home.jsp";
}
}
}
checkUser.setPassword("");
request.setAttribute("error", "Pogresan password");
request.setAttribute("credentials", checkUser);
return page;
}
}
| [
"[email protected]"
] | |
1465873ed6d9fa127720178579b9d47351541842 | b7627fbd5d96aff30df46c15d84f45cd0edf74e4 | /src/main/java/cn/com/xuxiaowei/service/ITestService.java | e0c11c793b317b2b241f176b87399e8690cdf485 | [
"Apache-2.0"
] | permissive | xuxiaowei-com-cn/Spring-Boot-JSF | b9f8566877ddb963fcd0276825852bc3ce23d33d | 8c96d7709fd4d52d29d09f375d7825f42b4dd3bf | refs/heads/master | 2023-06-24T05:04:18.219192 | 2023-06-14T23:51:54 | 2023-06-14T23:51:54 | 227,356,416 | 0 | 0 | Apache-2.0 | 2023-06-14T23:51:55 | 2019-12-11T12:04:34 | Java | UTF-8 | Java | false | false | 233 | java | package cn.com.xuxiaowei.service;
/**
* 测试 服务层
*
* @author xuxiaowei
* @since 0.0.1
*/
public interface ITestService {
/**
* 测试方法
*
* @return 返回测试内容
*/
String hi();
}
| [
"[email protected]"
] | |
9f85f7dea98c7986c7cba59c971db162cedfb522 | e5eb274900e8de50828073c40fa9efd269091115 | /src/controller/Admin.java | 56be0565fa1a203b500cce9daa7f30446e57adfa | [] | no_license | jyri363/i377 | 28c141133d943475f941623a83db92418b961f23 | aeb3ec24fd014fe5f70851ab973824ea676ee5be | refs/heads/master | 2021-01-20T21:52:52.361706 | 2013-12-08T18:04:55 | 2013-12-08T18:04:55 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,039 | java | package controller;
import java.io.IOException;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import dao.Dao;
import dao.SetupDao;
/**
* Servlet implementation class Admin
*/
public class Admin extends HttpServlet {
private static final long serialVersionUID = 1L;
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
String action = request.getParameter("do");
if("insert_data".equals(action)){
new SetupDao().insertSampleData();
} else if("clear_data".equals(action)) {
Dao.deleteAll();
}
response.sendRedirect("Search");
}
/**
* @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response)
*/
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
}
}
| [
"[email protected]"
] | |
b35c309f6152cbb398c5169816c58571e5e787eb | 70533af14c57c24c89969e60b0c506aec564cae9 | /src/common/util/CommonObject.java | 362b70b44ef924652f02afd6a78ddbfdcbf44e19 | [] | no_license | yangquan1982/AutomationTestFramework1 | e393d6ac69b8412a91290e88b2a46d39856ecfcc | bc8faa61dd62a221af2a481e5b0f5d3b7a8200b5 | refs/heads/master | 2020-03-09T13:07:01.660799 | 2019-06-13T04:33:48 | 2019-06-13T04:33:48 | 128,802,310 | 2 | 0 | null | null | null | null | UTF-8 | Java | false | false | 5,211 | java | package common.util;
import java.io.File;
import java.io.IOException;
import java.util.concurrent.TimeUnit;
import org.apache.commons.io.FileUtils;
import org.openqa.selenium.JavascriptExecutor;
import org.openqa.selenium.WebDriverException;
import org.openqa.selenium.remote.RemoteWebDriver;
import org.openqa.selenium.support.PageFactory;
import com.huawei.hutaf.webtest.htmlaw.BasicAction;
import cloud_platform.page.community.CommunityPage;
public class CommonObject
{
//public static ScreenRegion screenRegion = new DesktopScreenRegion();
public static String defaultWindowID = null;
//public static RemoteWebDriver driver = null;
public static RemoteWebDriver driver = null;
public static JavascriptExecutor js = null;
public static String downloadPath="D:\\NACWebAutoTest\\download_temp\\";
public static CommunityPage communitypage = null;
/**
* @author zWX192859
*
* add webdriver.ie.driver
*/
/*public static RemoteWebDriver getWebDriver()
{
AwCommon.killWebBrowser();
String browserType = Config.getBrowse.rType();
if ("ie".equals(browserType))
{
System.setProperty("webdriver.ie.driver", Parameter.IEDriver);
return new InternetExplorerDriver();
}
else
{
ProfilesIni profilesini = new ProfilesIni();
FirefoxProfile profile = profilesini.getProfile("default"); //firefox.exe -ProfileManager���������ù�����
profile.setPreference("plugin.state.java",2);
profile.setPreference("plugins.click_to_play",true);
// FirefoxProfile profile = new FirefoxProfile();
profile.setAcceptUntrustedCertificates(true);
// profile.updateUserPrefs(new File("D:\\NACWebAutoTest\\userprofile"));
profile.setPreference("browser.download.useDownloadDir", false);
profile.setPreference("browser.download.downloadDir", "\\.");
profile.setPreference("browser.helperApps.neverAsk.saveToDisk",
"text/xlsx");
profile.setPreference("browser.download.panel.shown", false);
profile.setPreference("browser.helperApps.alwaysAsk.force", false);
profile.setPreference("security.enable_java", true);
profile.setPreference("browser.download.folderList",2);
profile.setPreference("browser.download.manager.showWhenStarting",false);
profile.setPreference("browser.download.dir","D:\\");
profile.setPreference("browser.helperApps.neverAsk.saveToDisk","application/zip");
profile.setPreference("intl.accept_languages","zh-CN");
profile.setPreference("security.default_personal_cert","Always Activate");
profile.setPreference("security.alternate_certificate_error_page","Always Activate");
profile.setPreference("dom.successive_dialog_time_limit",0);
profile.setPreference("dom.popup_maximum",9999);
// DesiredCapabilities caps = DesiredCapabilities.firefox();
// caps.setCapability(FirefoxDriver.PROFILE, profile);
profile.setPreference("extensions.yslow.autorun", true);
profile.setPreference("extensions.yslow.beaconInfo", "grade");
profile.setPreference("extensions.yslow.beaconUrl", "http://127.0.0.1:8081/showslow/beacon/yslow/");
profile.setPreference("extensions.yslow.optinBeacon", true);
profile.setPreference("extensions.firebug.allPagesActivation", "on");
profile.setPreference("extensions.firebug.net.enableSites", true);
return new FirefoxDriver(profile);
}
}*/
public static void initWebDriver()
{
driver = (RemoteWebDriver)BasicAction.getDriver();
TestWebDriver.init(driver);
driver.manage().timeouts().pageLoadTimeout(60,java.util.concurrent.TimeUnit.SECONDS);
driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);
driver.manage().timeouts().setScriptTimeout(30, TimeUnit.SECONDS);
js = (JavascriptExecutor)driver;
defaultWindowID = driver.getWindowHandle();
communitypage = PageFactory.initElements(driver,CommunityPage.class);
}
//判断是已加载jQuery
public static Boolean jQueryLoaded()
{
Boolean loaded;
try
{
loaded = (Boolean) js.executeScript("return " + "jQuery()!=null");
}
catch (WebDriverException e)
{
loaded = false;
}
return loaded;
}
//通过注入jQuery
public static void injectjQuery()
{
js.executeScript(" var headID = "
+ "document.getElementsByTagName(\"head\")[0];"
+ "var newScript = document.createElement('script');"
+ "newScript.type = 'text/javascript';" + "newScript.src = "
+ "'/nac/js/common/jquery-1.9.1.min.js';"
+ "headID.appendChild(newScript);");
}
public static void main(String[] args) {
String filegbk = "D:\\WebTest\\Workspace2\\webtest\\GENEXCloud_V3_P1\\src\\util\\TestWebDriver.java";
String fileutf = "D:\\WebTest\\Workspace2\\webtest\\GENEXCloud_V3_P1\\src\\util\\TestWebDriverUtf8.java";
try {
FileUtils.writeLines(new File(fileutf), "UTF-8", FileUtils.readLines(new File(filegbk),"GBK"));
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
| [
"[email protected]"
] | |
b9e557d57651eef05fe3198792196b7ec3188c63 | 7503e3a333d431ab003799ea08afa3977fd1ca16 | /ComparadorCPF/src/main/java/br/com/portoseguro/ws/schema/ObterFuncionarioPrestadorType.java | 8e58b7540b6788718154797f31f900cd223ed86b | [] | no_license | marcoslanger/ComparadorCPF | 2ffb44758b8fdc9b004dfc5e10e57f2b45a80ef5 | a4ca9aef3f30badddd8d40a6ba3c60dfa6197931 | refs/heads/master | 2020-05-01T06:47:34.997036 | 2019-03-25T22:30:17 | 2019-03-25T22:30:17 | 177,337,855 | 0 | 0 | null | null | null | null | ISO-8859-1 | Java | false | false | 1,321 | java |
package br.com.portoseguro.ws.schema;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlType;
/**
* <p>Classe Java de ObterFuncionarioPrestadorType complex type.
*
* <p>O seguinte fragmento do esquema especifica o conteúdo esperado contido dentro desta classe.
*
* <pre>
* <complexType name="ObterFuncionarioPrestadorType">
* <complexContent>
* <restriction base="{http://www.w3.org/2001/XMLSchema}anyType">
* <sequence>
* <element name="numeroPessoa" type="{http://www.w3.org/2001/XMLSchema}long"/>
* </sequence>
* </restriction>
* </complexContent>
* </complexType>
* </pre>
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "ObterFuncionarioPrestadorType", propOrder = {
"numeroPessoa"
})
public class ObterFuncionarioPrestadorType {
protected long numeroPessoa;
/**
* Obtém o valor da propriedade numeroPessoa.
*
*/
public long getNumeroPessoa() {
return numeroPessoa;
}
/**
* Define o valor da propriedade numeroPessoa.
*
*/
public void setNumeroPessoa(long value) {
this.numeroPessoa = value;
}
}
| [
"Marcos@Marcos-PC"
] | Marcos@Marcos-PC |
7816eb11eb8c287793f0fda5433f5ee66824fd18 | 2ca35c443217dc659802dd181c02774d228af648 | /src/java/DB/Activity.java | 196d50b25f8612d5a6ba689074f6b2c88c4456a2 | [] | no_license | chamarasasmith/ZShop | 3485940d164407ffdb8f50125643833af5956738 | 6bf8ea03a8b907acc53b058639ba99a099719b56 | refs/heads/master | 2020-04-12T18:41:36.501967 | 2018-12-21T08:31:06 | 2018-12-21T08:31:06 | 162,687,449 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 984 | java | package DB;
// Generated Aug 18, 2018 5:14:28 PM by Hibernate Tools 4.3.1
/**
* Activity generated by hbm2java
*/
public class Activity implements java.io.Serializable {
private Integer idactivity;
private Loginlog loginlog;
private String des;
public Activity() {
}
public Activity(Loginlog loginlog) {
this.loginlog = loginlog;
}
public Activity(Loginlog loginlog, String des) {
this.loginlog = loginlog;
this.des = des;
}
public Integer getIdactivity() {
return this.idactivity;
}
public void setIdactivity(Integer idactivity) {
this.idactivity = idactivity;
}
public Loginlog getLoginlog() {
return this.loginlog;
}
public void setLoginlog(Loginlog loginlog) {
this.loginlog = loginlog;
}
public String getDes() {
return this.des;
}
public void setDes(String des) {
this.des = des;
}
}
| [
"[email protected]"
] | |
24cf1dbefc377d4050d3529014e036cb7d01a3d7 | 93664359eb16c97fa2bdfd209d38337dd45491b6 | /DCTF1-chall-UnlimitedPower/Solution/FitSDKRelease_21.47.00/java/com/garmin/fit/GpsMetadataMesg.java | 54999d1408286877207107c952d3aac963726691 | [] | no_license | DragonSecSI/dctf_archive | 8f39b5cc61a2a6462b14ae9af96f308b764954b3 | 90a01ecba83023ad166c01841bf6e970fc892085 | refs/heads/main | 2023-06-26T15:36:07.362204 | 2021-07-29T12:50:39 | 2021-07-29T12:50:39 | 390,695,613 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 8,381 | java | ////////////////////////////////////////////////////////////////////////////////
// The following FIT Protocol software provided may be used with FIT protocol
// devices only and remains the copyrighted property of Garmin Canada Inc.
// The software is being provided on an "as-is" basis and as an accommodation,
// and therefore all warranties, representations, or guarantees of any kind
// (whether express, implied or statutory) including, without limitation,
// warranties of merchantability, non-infringement, or fitness for a particular
// purpose, are specifically disclaimed.
//
// Copyright 2021 Garmin Canada Inc.
////////////////////////////////////////////////////////////////////////////////
// ****WARNING**** This file is auto-generated! Do NOT edit this file.
// Profile Version = 21.47Release
// Tag = production/akw/21.47.00-0-geec27411
////////////////////////////////////////////////////////////////////////////////
package com.garmin.fit;
import java.math.BigInteger;
public class GpsMetadataMesg extends Mesg {
public static final int TimestampFieldNum = 253;
public static final int TimestampMsFieldNum = 0;
public static final int PositionLatFieldNum = 1;
public static final int PositionLongFieldNum = 2;
public static final int EnhancedAltitudeFieldNum = 3;
public static final int EnhancedSpeedFieldNum = 4;
public static final int HeadingFieldNum = 5;
public static final int UtcTimestampFieldNum = 6;
public static final int VelocityFieldNum = 7;
protected static final Mesg gpsMetadataMesg;
static {
// gps_metadata
gpsMetadataMesg = new Mesg("gps_metadata", MesgNum.GPS_METADATA);
gpsMetadataMesg.addField(new Field("timestamp", TimestampFieldNum, 134, 1, 0, "s", false, Profile.Type.DATE_TIME));
gpsMetadataMesg.addField(new Field("timestamp_ms", TimestampMsFieldNum, 132, 1, 0, "ms", false, Profile.Type.UINT16));
gpsMetadataMesg.addField(new Field("position_lat", PositionLatFieldNum, 133, 1, 0, "semicircles", false, Profile.Type.SINT32));
gpsMetadataMesg.addField(new Field("position_long", PositionLongFieldNum, 133, 1, 0, "semicircles", false, Profile.Type.SINT32));
gpsMetadataMesg.addField(new Field("enhanced_altitude", EnhancedAltitudeFieldNum, 134, 5, 500, "m", false, Profile.Type.UINT32));
gpsMetadataMesg.addField(new Field("enhanced_speed", EnhancedSpeedFieldNum, 134, 1000, 0, "m/s", false, Profile.Type.UINT32));
gpsMetadataMesg.addField(new Field("heading", HeadingFieldNum, 132, 100, 0, "degrees", false, Profile.Type.UINT16));
gpsMetadataMesg.addField(new Field("utc_timestamp", UtcTimestampFieldNum, 134, 1, 0, "s", false, Profile.Type.DATE_TIME));
gpsMetadataMesg.addField(new Field("velocity", VelocityFieldNum, 131, 100, 0, "m/s", false, Profile.Type.SINT16));
}
public GpsMetadataMesg() {
super(Factory.createMesg(MesgNum.GPS_METADATA));
}
public GpsMetadataMesg(final Mesg mesg) {
super(mesg);
}
/**
* Get timestamp field
* Units: s
* Comment: Whole second part of the timestamp.
*
* @return timestamp
*/
public DateTime getTimestamp() {
return timestampToDateTime(getFieldLongValue(253, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD));
}
/**
* Set timestamp field
* Units: s
* Comment: Whole second part of the timestamp.
*
* @param timestamp
*/
public void setTimestamp(DateTime timestamp) {
setFieldValue(253, 0, timestamp.getTimestamp(), Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get timestamp_ms field
* Units: ms
* Comment: Millisecond part of the timestamp.
*
* @return timestamp_ms
*/
public Integer getTimestampMs() {
return getFieldIntegerValue(0, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set timestamp_ms field
* Units: ms
* Comment: Millisecond part of the timestamp.
*
* @param timestampMs
*/
public void setTimestampMs(Integer timestampMs) {
setFieldValue(0, 0, timestampMs, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get position_lat field
* Units: semicircles
*
* @return position_lat
*/
public Integer getPositionLat() {
return getFieldIntegerValue(1, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set position_lat field
* Units: semicircles
*
* @param positionLat
*/
public void setPositionLat(Integer positionLat) {
setFieldValue(1, 0, positionLat, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get position_long field
* Units: semicircles
*
* @return position_long
*/
public Integer getPositionLong() {
return getFieldIntegerValue(2, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set position_long field
* Units: semicircles
*
* @param positionLong
*/
public void setPositionLong(Integer positionLong) {
setFieldValue(2, 0, positionLong, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get enhanced_altitude field
* Units: m
*
* @return enhanced_altitude
*/
public Float getEnhancedAltitude() {
return getFieldFloatValue(3, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set enhanced_altitude field
* Units: m
*
* @param enhancedAltitude
*/
public void setEnhancedAltitude(Float enhancedAltitude) {
setFieldValue(3, 0, enhancedAltitude, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get enhanced_speed field
* Units: m/s
*
* @return enhanced_speed
*/
public Float getEnhancedSpeed() {
return getFieldFloatValue(4, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set enhanced_speed field
* Units: m/s
*
* @param enhancedSpeed
*/
public void setEnhancedSpeed(Float enhancedSpeed) {
setFieldValue(4, 0, enhancedSpeed, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get heading field
* Units: degrees
*
* @return heading
*/
public Float getHeading() {
return getFieldFloatValue(5, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set heading field
* Units: degrees
*
* @param heading
*/
public void setHeading(Float heading) {
setFieldValue(5, 0, heading, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get utc_timestamp field
* Units: s
* Comment: Used to correlate UTC to system time if the timestamp of the message is in system time. This UTC time is derived from the GPS data.
*
* @return utc_timestamp
*/
public DateTime getUtcTimestamp() {
return timestampToDateTime(getFieldLongValue(6, 0, Fit.SUBFIELD_INDEX_MAIN_FIELD));
}
/**
* Set utc_timestamp field
* Units: s
* Comment: Used to correlate UTC to system time if the timestamp of the message is in system time. This UTC time is derived from the GPS data.
*
* @param utcTimestamp
*/
public void setUtcTimestamp(DateTime utcTimestamp) {
setFieldValue(6, 0, utcTimestamp.getTimestamp(), Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
public Float[] getVelocity() {
return getFieldFloatValues(7, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* @return number of velocity
*/
public int getNumVelocity() {
return getNumFieldValues(7, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Get velocity field
* Units: m/s
* Comment: velocity[0] is lon velocity. Velocity[1] is lat velocity. Velocity[2] is altitude velocity.
*
* @param index of velocity
* @return velocity
*/
public Float getVelocity(int index) {
return getFieldFloatValue(7, index, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
/**
* Set velocity field
* Units: m/s
* Comment: velocity[0] is lon velocity. Velocity[1] is lat velocity. Velocity[2] is altitude velocity.
*
* @param index of velocity
* @param velocity
*/
public void setVelocity(int index, Float velocity) {
setFieldValue(7, index, velocity, Fit.SUBFIELD_INDEX_MAIN_FIELD);
}
}
| [
"[email protected]"
] | |
121b6cfca797ccdb8f38a33c27c33a667ba422d1 | ed430150a19b374fdd8d600e0987a012c55151c0 | /Chapter12/src/ex02/Shirt.java | 74096ce3e4dbda962689333312f8e3c9982dc7c1 | [] | no_license | DaevMartian/JavaBeginner | 0293d6becdbc12e444bed9f5e2306edbef4af4d8 | 4618bbe9c814495bf7e70fb44fa4dfbd1ab93215 | refs/heads/master | 2020-07-09T10:30:47.159751 | 2019-08-23T09:40:32 | 2019-08-23T09:40:32 | 203,948,628 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 748 | 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 ex02;
/**
*
* @author mac
*/
public class Shirt extends Item{
private char size;
private char colorCode;
public Shirt(double price, char size, char colorCode){
super ("Shirt", price);
this.size = size;
this.colorCode = colorCode;
}
// Override the display method in Item to also show size and colorCode.
// Avoid duplicating code.
public void display(){
super.display();
System.out.println("\tSize: "+size);
System.out.println("\tColor Code: "+ colorCode);
}
}
| [
"[email protected]"
] | |
31cc87e5dc1bb9433dccae4a49e2aaaa0bd25fbc | 0ee9820ea2c330f8725ba2f163c7bd3c17bcb22e | /mybatis/src/main/java/org/apache/ibatis/executor/result/DefaultMapResultHandler.java | 9055304bf4737ee25c33364bcd01c219e96710a3 | [
"Apache-2.0"
] | permissive | lwsh1995/spring-framework-5.2.5 | 60a39f1ff2b0cc3664561b185f55445239206e2e | d7b1ffd1fc3f6e27f153ea4677e80c1616374fbf | refs/heads/master | 2021-02-09T17:15:45.379560 | 2020-04-12T07:48:59 | 2020-04-12T07:48:59 | 244,305,913 | 4 | 1 | null | null | null | null | UTF-8 | Java | false | false | 2,279 | java | /**
* Copyright ${license.git.copyrightYears} 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.apache.ibatis.executor.result;
import java.util.Map;
import org.apache.ibatis.reflection.MetaObject;
import org.apache.ibatis.reflection.ReflectorFactory;
import org.apache.ibatis.reflection.factory.ObjectFactory;
import org.apache.ibatis.reflection.wrapper.ObjectWrapperFactory;
import org.apache.ibatis.session.ResultContext;
import org.apache.ibatis.session.ResultHandler;
/**
* @author Clinton Begin
*/
public class DefaultMapResultHandler<K, V> implements ResultHandler<V> {
private final Map<K, V> mappedResults;
private final String mapKey;
private final ObjectFactory objectFactory;
private final ObjectWrapperFactory objectWrapperFactory;
private final ReflectorFactory reflectorFactory;
@SuppressWarnings("unchecked")
public DefaultMapResultHandler(String mapKey, ObjectFactory objectFactory, ObjectWrapperFactory objectWrapperFactory, ReflectorFactory reflectorFactory) {
this.objectFactory = objectFactory;
this.objectWrapperFactory = objectWrapperFactory;
this.reflectorFactory = reflectorFactory;
this.mappedResults = objectFactory.create(Map.class);
this.mapKey = mapKey;
}
@SuppressWarnings("unchecked")
@Override
public void handleResult(ResultContext<? extends V> context) {
final V value = context.getResultObject();
final MetaObject mo = MetaObject.forObject(value, objectFactory, objectWrapperFactory, reflectorFactory);
// TODO is that assignment always true?
final K key = (K) mo.getValue(mapKey);
mappedResults.put(key, value);
}
public Map<K, V> getMappedResults() {
return mappedResults;
}
}
| [
"[email protected]"
] | |
ed21448f515c6e02d658c9ed445a92f696de2bcd | 538f4cfed9d5ce39923de16768b77a1b88f05a3e | /Manager/src/main/java/com/zd/manager/business/mapper/TerminalsLogMapper.java | e688f3d4d92a314f01bf825f3a43d4a840deeb13 | [] | no_license | ZDJTGIT/ManageRepository | 32809c9211e3ec7ad4ca1c5b3d038eecf4e68bb5 | 80a1dd2bea3f49e228428fdec67e2ca2ea15249d | refs/heads/master | 2021-07-26T00:32:13.167015 | 2018-10-15T08:01:07 | 2018-10-15T08:01:07 | 140,368,570 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,592 | java | package com.zd.manager.business.mapper;
import com.zd.manager.business.model.TerminalsLog;
public interface TerminalsLogMapper {
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table terminals_log
*
* @mbg.generated Tue Jul 10 10:42:30 CST 2018
*/
int deleteByPrimaryKey(Integer id);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table terminals_log
*
* @mbg.generated Tue Jul 10 10:42:30 CST 2018
*/
int insert(TerminalsLog record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table terminals_log
*
* @mbg.generated Tue Jul 10 10:42:30 CST 2018
*/
int insertSelective(TerminalsLog record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table terminals_log
*
* @mbg.generated Tue Jul 10 10:42:30 CST 2018
*/
TerminalsLog selectByPrimaryKey(Integer id);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table terminals_log
*
* @mbg.generated Tue Jul 10 10:42:30 CST 2018
*/
int updateByPrimaryKeySelective(TerminalsLog record);
/**
* This method was generated by MyBatis Generator.
* This method corresponds to the database table terminals_log
*
* @mbg.generated Tue Jul 10 10:42:30 CST 2018
*/
int updateByPrimaryKey(TerminalsLog record);
} | [
"[email protected]"
] | |
d66f8d3e65369f32cec8bed44720e5697ec37134 | fa91450deb625cda070e82d5c31770be5ca1dec6 | /Diff-Raw-Data/2/2_ec011a29f78854cba0262a700558d3fe88d55f9f/PofilterTranslationTests/2_ec011a29f78854cba0262a700558d3fe88d55f9f_PofilterTranslationTests_t.java | 445e9782c87799317011b602c61900c73293cbc6 | [] | 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 | 38,902 | java | package com.redhat.qe.sm.cli.tests;
import java.io.File;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.Stack;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import org.testng.annotations.BeforeClass;
import org.testng.annotations.DataProvider;
import org.testng.annotations.Test;
import com.redhat.qe.Assert;
import com.redhat.qe.auto.bugzilla.BlockedByBzBug;
import com.redhat.qe.auto.testng.TestNGUtils;
import com.redhat.qe.sm.base.SubscriptionManagerCLITestScript;
import com.redhat.qe.sm.data.Translation;
import com.redhat.qe.tools.RemoteFileTasks;
import com.redhat.qe.tools.SSHCommandResult;
import com.redhat.qe.tools.SSHCommandRunner;
//import com.sun.org.apache.xalan.internal.xsltc.compiler.Pattern;
/**
* @author fsharath
* @author jsefler
* @References
* Engineering Localization Services: https://home.corp.redhat.com/node/53593
* http://git.fedorahosted.org/git/?p=subscription-manager.git;a=blob;f=po/pt.po;h=0854212f4fab348a25f0542625df343653a4a097;hb=RHEL6.3
* Here is the raw rhsm.po file for LANG=pt
* http://git.fedorahosted.org/git/?p=subscription-manager.git;a=blob;f=po/pt.po;hb=RHEL6.3
*
* https://engineering.redhat.com/trac/LocalizationServices
* https://engineering.redhat.com/trac/LocalizationServices/wiki/L10nRHEL6LanguageSupportCriteria
*
* https://translate.zanata.org/zanata/project/view/subscription-manager/iter/0.99.X/stats
*
* https://fedora.transifex.net/projects/p/fedora/
*
* http://translate.sourceforge.net/wiki/
* http://translate.sourceforge.net/wiki/toolkit/index
* http://translate.sourceforge.net/wiki/toolkit/pofilter
* http://translate.sourceforge.net/wiki/toolkit/pofilter_tests
* http://translate.sourceforge.net/wiki/toolkit/installation
*
* https://github.com/translate/translate
*
* Translation Bug Reporting Process
* https://engineering.redhat.com/trac/LocalizationServices/wiki/L10nBugReportingProcess
**/
@Test(groups={"PofilterTranslationTests"})
public class PofilterTranslationTests extends SubscriptionManagerCLITestScript {
// Test Methods ***********************************************************************
@Test( description="run pofilter translate tests on subscription manager translation files",
dataProvider="getSubscriptionManagerTranslationFilePofilterTestData",
groups={},
enabled=true)
//@ImplementsNitrateTest(caseId=)
public void subscriptionManagerPofilter_Test(Object bugzilla, String pofilterTest, File translationFile) {
pofilter_Test(client, pofilterTest, translationFile);
}
@Test( description="run pofilter translate tests on candlepin translation files",
dataProvider="getCandlepinTranslationFilePofilterTestData",
groups={},
enabled=true)
//@ImplementsNitrateTest(caseId=)
public void candlepinPofilter_Test(Object bugzilla, String pofilterTest, File translationFile) {
pofilter_Test(server, pofilterTest, translationFile);
}
// Candidates for an automated Test:
// Configuration Methods ***********************************************************************
@BeforeClass(groups={"setup"})
public void setupBeforeClass() {
// for debugging purposes, load a reduced list of pofilterTests
if (!getProperty("sm.debug.pofilterTests", "").equals("")) pofilterTests = Arrays.asList(getProperty("sm.debug.pofilterTests", "").trim().split(" *, *"));
}
// Protected Methods ***********************************************************************
// see http://translate.sourceforge.net/wiki/toolkit/pofilter_tests
// Critical -- can break a program
// accelerators, escapes, newlines, nplurals, printf, tabs, variables, xmltags, dialogsizes
// Functional -- may confuse the user
// acronyms, blank, emails, filepaths, functions, gconf, kdecomments, long, musttranslatewords, notranslatewords, numbers, options, purepunc, sentencecount, short, spellcheck, urls, unchanged
// Cosmetic -- make it look better
// brackets, doublequoting, doublespacing, doublewords, endpunc, endwhitespace, puncspacing, simplecaps, simpleplurals, startcaps, singlequoting, startpunc, startwhitespace, validchars
// Extraction -- useful mainly for extracting certain types of string
// compendiumconflicts, credits, hassuggestion, isfuzzy, isreview, untranslated
protected List<String> pofilterTests = Arrays.asList(
// Critical -- can break a program
"accelerators", "escapes", "newlines", /*nplurals,*/ "printf", "tabs", "variables", "xmltags", /*dialogsizes,*/
// Functional -- may confuse the user
/*acronyms,*/ "blank", "emails", "filepaths", /*functions,*/ "gconf", /*kdecomments,*/ "long", /*musttranslatewords,*/ "notranslatewords", /*numbers,*/ "options", /*purepunc,*/ /*sentencecount,*/ "short", /*spellcheck,*/ "urls", "unchanged",
// Cosmetic -- make it look better
/*brackets, doublequoting, doublespacing,*/ "doublewords", /*endpunc, endwhitespace, puncspacing, simplecaps, simpleplurals, startcaps, singlequoting, startpunc, startwhitespace, validchars */
// Extraction -- useful mainly for extracting certain types of string
/*compendiumconflicts, credits, hassuggestion, isfuzzy, isreview,*/ "untranslated");
protected void pofilter_Test(SSHCommandRunner sshCommandRunner, String pofilterTest, File translationFile) {
log.info("For an explanation of pofilter test '"+pofilterTest+"', see: http://translate.sourceforge.net/wiki/toolkit/pofilter_tests");
File translationPoFile = new File(translationFile.getPath().replaceFirst(".mo$", ".po"));
// if pofilter test -> notranslatewords, create a file with words that don't have to be translated to native language
final String notranslateFile = "/tmp/notranslatefile";
if (pofilterTest.equals("notranslatewords")) {
// The words that need not be translated can be added this list
List<String> notranslateWords = Arrays.asList("Red Hat","subscription-manager","python-rhsm");
// remove former notranslate file
sshCommandRunner.runCommandAndWait("rm -f "+notranslateFile);
// echo all of the notranslateWords to the notranslateFile
for(String str : notranslateWords) {
String echoCommand = "echo \""+str+"\" >> "+notranslateFile;
sshCommandRunner.runCommandAndWait(echoCommand);
}
Assert.assertTrue(RemoteFileTasks.testExists(sshCommandRunner, notranslateFile),"The pofilter notranslate file '"+notranslateFile+"' has been created on the client.");
}
// execute the pofilter test
String pofilterCommand = "pofilter --gnome -t "+pofilterTest;
if (pofilterTest.equals("notranslatewords")) pofilterCommand += " --notranslatefile="+notranslateFile;
SSHCommandResult pofilterResult = sshCommandRunner.runCommandAndWait(pofilterCommand+" "+translationPoFile);
Assert.assertEquals(pofilterResult.getExitCode(), new Integer(0), "Successfully executed the pofilter tests.");
// convert the pofilter test results into a list of failed Translation objects for simplified handling of special cases
List<Translation> pofilterFailedTranslations = Translation.parse(pofilterResult.getStdout());
// remove the first translation which contains only meta data
if (!pofilterFailedTranslations.isEmpty() && pofilterFailedTranslations.get(0).msgid.equals("")) pofilterFailedTranslations.remove(0);
// ignore the following special cases of acceptable results..........
//List<String> ignorableMsgIds = Arrays.asList();
List<String> ignorableMsgIds = new ArrayList<String>();
if (pofilterTest.equals("accelerators")) {
if (translationFile.getPath().contains("/hi/")/* || translationFile.getPath().contains("hi")*/) ignorableMsgIds = Arrays.asList("proxy url in the form of proxy_hostname:proxy_port");
if (translationFile.getPath().contains("/ru/")/* || translationFile.getPath().contains("ru")*/) ignorableMsgIds = Arrays.asList("proxy url in the form of proxy_hostname:proxy_port");
}
if (pofilterTest.equals("newlines")) {
ignorableMsgIds = Arrays.asList(
"Optional language to use for email notification when subscription redemption is complete. Examples: en-us, de-de",
"\n"+"Unable to register.\n"+"For further assistance, please contact Red Hat Global Support Services.",
"Tip: Forgot your login or password? Look it up at http://red.ht/lost_password",
"Unable to perform refresh due to the following exception: %s",
""+"This migration script requires the system to be registered to RHN Classic.\n"+"However this system appears to be registered to '%s'.\n"+"Exiting.",
"The tool you are using is attempting to re-register using RHN Certificate-Based technology. Red Hat recommends (except in a few cases) that customers only register with RHN once.",
// bug 825397 ""+"Redeeming the subscription may take a few minutes.\n"+"Please provide an email address to receive notification\n"+"when the redemption is complete.", // the Subscription Redemption dialog actually expands to accommodate the message, therefore we could ignore it // bug 825397 should fix this
// bug 825388 ""+"We have detected that you have multiple service level\n"+"agreements on various products. Please select how you\n"+"want them assigned.", // bug 825388 or 825397 should fix this
"\n"+"This machine appears to be already registered to Certificate-based RHN. Exiting.",
"\n"+"This machine appears to be already registered to Red Hat Subscription Management. Exiting.");
}
if (pofilterTest.equals("xmltags")) {
Boolean match = false;
for(Translation pofilterFailedTranslation : pofilterFailedTranslations) {
// Parsing mgID and msgStr for XMLTags
Pattern xmlTags = Pattern.compile("<.+?>");
Matcher tagsMsgID = xmlTags.matcher(pofilterFailedTranslation.msgid);
Matcher tagsMsgStr = xmlTags.matcher(pofilterFailedTranslation.msgstr);
// Populating a msgID tags into a list
ArrayList<String> msgIDTags = new ArrayList<String>();
while(tagsMsgID.find()) {
msgIDTags.add(tagsMsgID.group());
}
// Sorting an list of msgID tags
ArrayList<String> msgIDTagsSort = new ArrayList<String>(msgIDTags);
Collections.sort(msgIDTagsSort);
// Populating a msgStr tags into a list
ArrayList<String> msgStrTags = new ArrayList<String>();
while(tagsMsgStr.find()) {
msgStrTags.add(tagsMsgStr.group());
}
// Sorting an list of msgStr tags
ArrayList<String> msgStrTagsSort = new ArrayList<String>(msgStrTags);
Collections.sort(msgStrTagsSort);
// Verifying whether XMLtags are opened and closed appropriately
// If the above condition holds, then check for XML Tag ordering
if(msgIDTagsSort.equals(msgStrTagsSort) && msgIDTagsSort.size() == msgStrTagsSort.size()) {
int size = msgIDTags.size(),count=0;
// Stack to hold XML tags
Stack<String> stackMsgIDTags = new Stack<String>();
Stack<String> stackMsgStrTags = new Stack<String>();
// Temporary stack to hold popped elements
Stack<String> tempStackMsgIDTags = new Stack<String>();
Stack<String> tempStackMsgStrTags = new Stack<String>();
while(count< size) {
// If it's not a close tag push into stack
if(!msgIDTags.get(count).contains("/")) stackMsgIDTags.push(msgIDTags.get(count));
else {
if(checkTags(stackMsgIDTags,tempStackMsgIDTags,msgIDTags.get(count))) match = true;
else {
// If an open XMLtag doesn't have an appropriate close tag exit loop
match = false;
break;
}
}
// If it's not a close tag push into stack
if(!msgStrTags.get(count).contains("/")) stackMsgStrTags.push(msgStrTags.get(count));
else {
if(checkTags(stackMsgStrTags,tempStackMsgStrTags,msgStrTags.get(count))) match = true;
else {
// If an open XMLtag doesn't have an appropriate close tag exit loop
match = false;
break;
}
}
// Incrementing count to point to the next element
count++;
}
}
if(match) ignorableMsgIds.add(pofilterFailedTranslation.msgid);
}
}
if (pofilterTest.equals("filepaths")) {
for(Translation pofilterFailedTranslation : pofilterFailedTranslations) {
// Parsing mgID and msgStr for FilePaths ending ' ' (space)
Pattern filePath = Pattern.compile("/.*?( |$)", Pattern.MULTILINE);
Matcher filePathMsgID = filePath.matcher(pofilterFailedTranslation.msgid);
Matcher filePathMsgStr = filePath.matcher(pofilterFailedTranslation.msgstr);
ArrayList<String> filePathsInID = new ArrayList<String>();
ArrayList<String> filePathsInStr = new ArrayList<String>();
// Reading the filePaths into a list
while(filePathMsgID.find()) {
filePathsInID.add(filePathMsgID.group());
}
while(filePathMsgStr.find()) {
filePathsInStr.add(filePathMsgStr.group());
}
// If the lists are equal in size, then compare the contents of msdID->filePath and msgStr->filePath
//if(filePathsInID.size() == filePathsInStr.size()) {
for(int i=0;i<filePathsInID.size();i++) {
// If the msgID->filePath ends with '.', remove '.' and compare with msgStr->filePath
if(filePathsInID.get(i).trim().startsWith("//")) {
ignorableMsgIds.add(pofilterFailedTranslation.msgid);
continue;
}
//contains("//")) ignoreMsgIDs.add(pofilterFailedTranslation.msgid);
if(filePathsInID.get(i).trim().charAt(filePathsInID.get(i).trim().length()-1) == '.') {
String filePathID = filePathsInID.get(i).trim().substring(0, filePathsInID.get(i).trim().length()-1);
if(filePathID.equals(filePathsInStr.get(i).trim())) ignorableMsgIds.add(pofilterFailedTranslation.msgid);
}
/*else {
if(filePathsInID.get(i).trim().equals(filePathsInStr.get(i).trim())) ignoreMsgIDs.add(pofilterFailedTranslation.msgid);
}*/
}
//}
}
}
// TODO remove or comment this ignore case once the msgID is corrected
// error: msgid "Error: you must register or specify --username and password to list service levels"
// rectified: msgid "Error: you must register or specify --username and --password to list service levels"
if (pofilterTest.equals("options")) {
ignorableMsgIds = Arrays.asList("Error: you must register or specify --username and password to list service levels");
}
if (pofilterTest.equals("short")) {
ignorableMsgIds = Arrays.asList("No","Yes","Key","Value","N/A","None","Number");
}
if (pofilterTest.equals("doublewords")) {
ignorableMsgIds.addAll(Arrays.asList("Subscription Subscriptions Box","Subscription Subscriptions Label"));
List<String> moreIgnorableMsgIdsFor_pa = Arrays.asList("Server URL can not be None");
List<String> moreIgnorableMsgIdsFor_hi = Arrays.asList("Server URL can not be None");
List<String> moreIgnorableMsgIdsFor_fr = Arrays.asList("The Subscription Management Service you register with will provide your system with updates and allow additional management."); // msgstr "Le service de gestion des abonnements « Subscription Management » avec lequel vous vous enregistrez fournira à votre système des mises à jour et permettra une gestion supplémentaire."
if((translationFile.getPath().contains("/pa/")/*||translationFile.getPath().contains("pa")*/)) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_pa);
if((translationFile.getPath().contains("/hi/")/*||translationFile.getPath().contains("hi")*/)) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_hi);
if((translationFile.getPath().contains("/fr/")/*||translationFile.getPath().contains("fr")*/)) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_fr);
}
if (pofilterTest.equals("unchanged")) {
ignorableMsgIds.addAll(Arrays.asList("registration_dialog_action_area","server_label","server_entry","proxy_button","hostname[:port][/prefix]","default_button","choose_server_label","<b>SKU:</b>","%prog [options]","<b>HTTP Proxy</b>","<b>python-rhsm version:</b> %s","<b>python-rhsm Version:</b> %s","close_button","facts_view","register_button","register_dialog_main_vbox","registration_dialog_action_area\n","prod 1, prod2, prod 3, prod 4, prod 5, prod 6, prod 7, prod 8","%s of %s","floating-point","integer","long integer","Copyright (c) 2012 Red Hat, Inc.","RHN Classic","env_select_vbox_label","environment_treeview","no_subs_label","org_selection_label","org_selection_scrolledwindow","owner_treeview","progress_label","subscription-manager: %s","python-rhsm: %s","register_details_label","register_progressbar","system_instructions_label","system_name_label","connectionStatusLabel",""+"\n"+"This software is licensed to you under the GNU General Public License, version 2 (GPLv2). There is NO WARRANTY for this software, express or implied, including the implied warranties of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. You should have received a copy of GPLv2 along with this software; if not, see:\n"+"\n"+"http://www.gnu.org/licenses/old-licenses/gpl-2.0.txt\n"+"\n"+"Red Hat trademarks are not licensed under GPLv2. No permission is granted to use or replicate Red Hat trademarks that are incorporated in this software or its documentation.\n","progress_label","Red Hat Subscription Manager", "Red Hat Subscription Validity Applet"));
List<String> moreIgnorableMsgIdsFor_bn_IN = Arrays.asList("Red Hat Subscription Validity Applet","Subscription Validity Applet");
List<String> moreIgnorableMsgIdsFor_ta_IN = Arrays.asList("org id: %s","Repo Id: \\t%s","Repo Url: \\t%s");
List<String> moreIgnorableMsgIdsFor_pt_BR = Arrays.asList("<b>subscription management service version:</b> %s","Status","Status: \\t%s","Login:","Virtual","_Help","hostname[:port][/prefix]","org id: %s","virtual");
List<String> moreIgnorableMsgIdsFor_de_DE = Arrays.asList("Subscription Manager","Red Hat account: ","Account","<b>Account:</b>","Account: \\t%s","<b>Subscription Management Service Version:</b> %s","<b>subscription management service version:</b> %s","Login:","Name","Name: \\t%s","Status","Status: \\t%s","Version","Version: \\t%s","_System","long integer","name: %s","label","Label","Name: %s","Release: %s","integer","Tags","Org: ");
List<String> moreIgnorableMsgIdsFor_es_ES = Arrays.asList("No","%s: error: %s");
List<String> moreIgnorableMsgIdsFor_zh_TW = Arrays.asList("%%prog %s [OPTIONS]","%%prog %s [OPTIONS] CERT_FILE","%prog [OPTIONS]");
List<String> moreIgnorableMsgIdsFor_te = Arrays.asList("page 2");
List<String> moreIgnorableMsgIdsFor_pa = Arrays.asList("<b>python-rhsm version:</b> %s");
List<String> moreIgnorableMsgIdsFor_fr = Arrays.asList("Options","Type","Arch","Version","page 2","%prog [options]");
List<String> moreIgnorableMsgIdsFor_it = Arrays.asList("<b>Account:</b>","Account: \\t%s","<b>Arch:</b>","Arch: \\t%s","Arch","Login:","No","Password:","Release: %s","Password: ");
if (translationFile.getPath().contains("/bn_IN/")/*||translationFile.getPath().contains("bn_IN")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_bn_IN);
if (translationFile.getPath().contains("/ta_IN/")/*||translationFile.getPath().contains("ta_IN")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_ta_IN);
if (translationFile.getPath().contains("/pt_BR/")/*||translationFile.getPath().contains("pt_BR")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_pt_BR);
if (translationFile.getPath().contains("/de_DE/")/*||translationFile.getPath().contains("de_DE")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_de_DE);
if (translationFile.getPath().contains("/es_ES/")/*||translationFile.getPath().contains("es_ES")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_es_ES);
if (translationFile.getPath().contains("/zh_TW/")/*||translationFile.getPath().contains("zh_TW")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_zh_TW);
if (translationFile.getPath().contains("/te/") /*||translationFile.getPath().contains("te")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_te);
if (translationFile.getPath().contains("/pa/") /*||translationFile.getPath().contains("pa")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_pa);
if (translationFile.getPath().contains("/fr/") /*||translationFile.getPath().contains("fr")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_fr);
if (translationFile.getPath().contains("/it/") /*||translationFile.getPath().contains("it")*/) ignorableMsgIds.addAll(moreIgnorableMsgIdsFor_it);
}
if (pofilterTest.equals("urls")) {
if(translationFile.getPath().contains("/zh_CN/")) ignorableMsgIds.addAll(Arrays.asList("Server URL has an invalid scheme. http:// and https:// are supported"));
}
// pluck out the ignorable pofilter test results
for (String msgid : ignorableMsgIds) {
Translation ignoreTranslation = Translation.findFirstInstanceWithMatchingFieldFromList("msgid", msgid, pofilterFailedTranslations);
if (ignoreTranslation!=null) {
log.info("Ignoring result of pofiliter test '"+pofilterTest+"' for msgid: "+ignoreTranslation.msgid);
pofilterFailedTranslations.remove(ignoreTranslation);
}
}
// for convenience reading the logs, log warnings for the failed pofilter test results (when some of the failed test are being ignored)
if (!ignorableMsgIds.isEmpty()) for (Translation pofilterFailedTranslation : pofilterFailedTranslations) {
log.warning("Failed result of pofiliter test '"+pofilterTest+"' for translation: "+pofilterFailedTranslation);
}
// assert that there are no failed pofilter translation test results
Assert.assertEquals(pofilterFailedTranslations.size(),0, "Discounting the ignored test results, the number of failed pofilter '"+pofilterTest+"' tests for translation file '"+translationFile+"'.");
}
/**
* @param str
* @return the tag character (Eg: <b> or </b> return_val = 'b')
*/
protected char parseElement(String str){
return str.charAt(str.length()-2);
}
/**
* @param tags
* @param temp
* @param tagElement
* @return whether every open tag has an appropriate close tag in order
*/
protected Boolean checkTags(Stack<String> tags, Stack<String> temp, String tagElement) {
// If there are no open tags in the stack -> return
if(tags.empty()) return false;
String popElement = tags.pop();
// If openTag in stack = closeTag -> return
if(!popElement.contains("/") && parseElement(popElement) == parseElement(tagElement)) return true;
else {
// Continue popping elements from stack and push to temp until appropriate open tag is found
while(popElement.contains("/") || parseElement(popElement) != parseElement(tagElement)) {
temp.push(popElement);
// If stack = empty and no match, push back the popped elements -> return
if(tags.empty()) {
while(!temp.empty()) {
tags.push(temp.pop());
}
return false;
}
popElement = tags.pop();
}
// If a match is found, push back the popped elements -> return
while(!temp.empty()) tags.push(temp.pop());
}
return true;
}
// Data Providers ***********************************************************************
@DataProvider(name="getSubscriptionManagerTranslationFilePofilterTestData")
public Object[][] getSubscriptionManagerTranslationFilePofilterTestDataAs2dArray() {
return TestNGUtils.convertListOfListsTo2dArray(getSubscriptionManagerTranslationFilePofilterTestDataAsListOfLists());
}
protected List<List<Object>> getSubscriptionManagerTranslationFilePofilterTestDataAsListOfLists() {
List<List<Object>> ll = new ArrayList<List<Object>>();
// Client side
Map<File,List<Translation>> translationFileMapForSubscriptionManager = buildTranslationFileMapForSubscriptionManager();
for (File translationFile : translationFileMapForSubscriptionManager.keySet()) {
for (String pofilterTest : pofilterTests) {
Set<String> bugIds = new HashSet<String>();
// Bug 825362 [es_ES] failed pofilter accelerator tests for subscription-manager translations
if (pofilterTest.equals("accelerators") && translationFile.getPath().contains("/es_ES/")) bugIds.add("825362");
// Bug 825367 [zh_CN] failed pofilter accelerator tests for subscription-manager translations
if (pofilterTest.equals("accelerators") && translationFile.getPath().contains("/zh_CN/")) bugIds.add("825367");
// Bug 860084 - [ja_JP] two accelerators for msgid "Configure Pro_xy"
if (pofilterTest.equals("accelerators") && translationFile.getPath().contains("/ja/")) bugIds.add("860084");
// Bug 825397 Many translated languages fail the pofilter newlines test
if (pofilterTest.equals("newlines") && !(translationFile.getPath().contains("/zh_CN/")||translationFile.getPath().contains("/ru/")||translationFile.getPath().contains("/ja/"))) bugIds.add("825397");
// Bug 825393 [ml_IN][es_ES] translations should not use character ¶ for a new line.
if (pofilterTest.equals("newlines") && translationFile.getPath().contains("/ml/")) bugIds.add("825393");
if (pofilterTest.equals("newlines") && translationFile.getPath().contains("/es_ES/")) bugIds.add("825393");
// Bug 827059 [kn] translation fails for printf test
if (pofilterTest.equals("printf") && translationFile.getPath().contains("/kn/")) bugIds.add("827059");
// Bug 827079 [es-ES] translation fails for printf test
if (pofilterTest.equals("printf") && translationFile.getPath().contains("/es_ES/")) bugIds.add("827079");
// Bug 827085 [hi] translation fails for printf test
if (pofilterTest.equals("printf") && translationFile.getPath().contains("/hi/")) bugIds.add("827085");
// Bug 827089 [hi] translation fails for printf test
if (pofilterTest.equals("printf") && translationFile.getPath().contains("/te/")) bugIds.add("827089");
// Bug 827113 Many Translated languages fail the pofilter tabs test
if (pofilterTest.equals("tabs") && !(translationFile.getPath().contains("/pa/")||translationFile.getPath().contains("/mr/")||translationFile.getPath().contains("/de_DE/")||translationFile.getPath().contains("/bn_IN/"))) bugIds.add("825397");
// Bug 827161 [bn_IN] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/bn_IN/")) bugIds.add("827161");
// Bug 827208 [or] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/or/")) bugIds.add("827208");
// Bug 827214 [or] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/ta_IN/")) bugIds.add("827214");
// Bug 828368 - [kn] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/kn/")) bugIds.add("828368");
// Bug 828365 - [kn] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/kn/")) bugIds.add("828365");
// Bug 828372 - [es_ES] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/es_ES/")) bugIds.add("828372");
// Bug 828416 - [ru] failed pofilter xmltags tests for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/ru/")) bugIds.add("828416");
// Bug 843113 - [ta_IN] failed pofilter xmltags test for subscription-manager translations
if (pofilterTest.equals("xmltags") && translationFile.getPath().contains("/ta_IN/")) bugIds.add("843113");
// Bug 828566 [bn-IN] cosmetic bug for subscription-manager translations
if (pofilterTest.equals("filepaths") && translationFile.getPath().contains("/bn_IN/")) bugIds.add("828566");
// Bug 828567 [as] cosmetic bug for subscription-manager translations
if (pofilterTest.equals("filepaths") && translationFile.getPath().contains("/as/")) bugIds.add("828567");
// Bug 828576 - [ta_IN] failed pofilter filepaths tests for subscription-manager translations
if (pofilterTest.equals("filepaths") && translationFile.getPath().contains("/ta_IN/")) bugIds.add("828576");
// Bug 828579 - [ml] failed pofilter filepaths tests for subscription-manager translations
if (pofilterTest.equals("filepaths") && translationFile.getPath().contains("/ml/")) bugIds.add("828579");
// Bug 828580 - [mr] failed pofilter filepaths tests for subscription-manager translations
if (pofilterTest.equals("filepaths") && translationFile.getPath().contains("/mr/")) bugIds.add("828580");
// Bug 828583 - [ko] failed pofilter filepaths tests for subscription-manager translations
if (pofilterTest.equals("filepaths") && translationFile.getPath().contains("/ko/")) bugIds.add("828583");
// Bug 828810 - [kn] failed pofilter varialbes tests for subscription-manager translations
if (pofilterTest.equals("variables") && translationFile.getPath().contains("/kn/")) bugIds.add("828810");
// Bug 828816 - [es_ES] failed pofilter varialbes tests for subscription-manager translations
if (pofilterTest.equals("variables") && translationFile.getPath().contains("/es_ES/")) bugIds.add("828816");
// Bug 828821 - [hi] failed pofilter varialbes tests for subscription-manager translations
if (pofilterTest.equals("variables") && translationFile.getPath().contains("/hi/")) bugIds.add("828821");
// Bug 828867 - [te] failed pofilter varialbes tests for subscription-manager translations
if (pofilterTest.equals("variables") && translationFile.getPath().contains("/te/")) bugIds.add("828867");
// Bug 828903 - [bn_IN] failed pofilter options tests for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/bn_IN/")) bugIds.add("828903");
// Bug 828930 - [as] failed pofilter options tests for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/as/")) bugIds.add("828930");
// Bug 828948 - [or] failed pofilter options tests for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/or/")) bugIds.add("828948");
// Bug 828954 - [ta_IN] failed pofilter options test for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/ta_IN/")) bugIds.add("828954");
// Bug 828958 - [pt_BR] failed pofilter options test for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/pt_BR/")) bugIds.add("828958");
// Bug 828961 - [gu] failed pofilter options test for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/gu/")) bugIds.add("828961");
// Bug 828965 - [hi] failed pofilter options test for subscription-manager trasnlations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/hi/")) bugIds.add("828965");
// Bug 828966 - [zh_CN] failed pofilter options test for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/zh_CN/")) bugIds.add("828966");
// Bug 828969 - [te] failed pofilter options test for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/te/")) bugIds.add("828969");
// Bug 842898 - [it] failed pofilter options test for subscription-manager translations
if (pofilterTest.equals("options") && translationFile.getPath().contains("/it/")) bugIds.add("842898");
// Bug 828985 - [ml] failed pofilter urls test for subscription manager translations
if (pofilterTest.equals("urls") && translationFile.getPath().contains("/ml/")) bugIds.add("828985");
// Bug 828989 - [pt_BR] failed pofilter urls test for subscription-manager translations
if (pofilterTest.equals("urls") && translationFile.getPath().contains("/pt_BR/")) bugIds.add("828989");
// Bug 860088 - [de_DE] translation for a url should not be altered
if (pofilterTest.equals("urls") && translationFile.getPath().contains("/de_DE/")) bugIds.add("860088");
// Bug 845304 - translation of the word "[OPTIONS]" has reverted
if (pofilterTest.equals("unchanged")) bugIds.add("845304");
// Bug 829459 - [bn_IN] failed pofilter unchanged option test for subscription-manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/bn_IN/")) bugIds.add("829459");
// Bug 829470 - [or] failed pofilter unchanged options for subscription-manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/or/")) bugIds.add("829470");
// Bug 829471 - [ta_IN] failed pofilter unchanged optioon test for subscription-manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/ta_IN/")) bugIds.add("829471");
// Bug 829476 - [ml] failed pofilter unchanged option test for subscription-manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/ml/")) bugIds.add("829476");
// Bug 829479 - [pt_BR] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/pt_BR/")) {bugIds.add("829479"); bugIds.add("828958");}
// Bug 829482 - [zh_TW] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/zh_TW/")) bugIds.add("829482");
// Bug 829483 - [de_DE] failed pofilter unchanged options test for suubscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/de_DE/")) bugIds.add("829483");
// Bug 829486 - [fr] failed pofilter unchanged options test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/fr/")) bugIds.add("829486");
// Bug 829488 - [es_ES] failed pofilter unchanged option tests for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/es_ES/")) bugIds.add("829488");
// Bug 829491 - [it] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/it/")) bugIds.add("829491");
// Bug 829492 - [hi] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/hi/")) bugIds.add("829492");
// Bug 829494 - [zh_CN] failed pofilter unchanged option for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/zh_CN/")) bugIds.add("829494");
// Bug 829495 - [pa] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/pa/")) bugIds.add("829495");
// Bug 840914 - [te] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/te/")) bugIds.add("840914");
// Bug 840644 - [ta_IN] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/ta_IN/")) bugIds.add("840644");
// Bug 855087 - [mr] missing translation for the word "OPTIONS"
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/mr/")) bugIds.add("855087");
// Bug 855085 - [as] missing translation for the word "OPTIONS"
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/as/")) bugIds.add("855085");
// Bug 855081 - [pt_BR] untranslated msgid "Arch"
if (pofilterTest.equals("unchanged") && translationFile.getPath().contains("/pt_BR/")) bugIds.add("855081");
// Bug 841011 - [kn] failed pofilter unchanged option test for subscription manager translations
if (pofilterTest.equals("doublewords") && translationFile.getPath().contains("/kn/")) bugIds.add("841011");
BlockedByBzBug blockedByBzBug = new BlockedByBzBug(bugIds.toArray(new String[]{}));
ll.add(Arrays.asList(new Object[] {blockedByBzBug, pofilterTest, translationFile}));
}
}
return ll;
}
@DataProvider(name="getCandlepinTranslationFilePofilterTestData")
public Object[][] getCandlepinTranslationFilePofilterTestDataAs2dArray() {
return TestNGUtils.convertListOfListsTo2dArray(getCandlepinTranslationFilePofilterTestDataAsListOfLists());
}
protected List<List<Object>> getCandlepinTranslationFilePofilterTestDataAsListOfLists() {
List<List<Object>> ll = new ArrayList<List<Object>>();
// Server side
Map<File,List<Translation>> translationFileMapForCandlepin = buildTranslationFileMapForCandlepin();
for (File translationFile : translationFileMapForCandlepin.keySet()) {
for (String pofilterTest : pofilterTests) {
BlockedByBzBug bugzilla = null;
// Bug 842450 - [ja_JP] failed pofilter newlines option test for candlepin translations
if (pofilterTest.equals("newlines") && translationFile.getName().equals("ja.po")) bugzilla = new BlockedByBzBug("842450");
if (pofilterTest.equals("tabs") && translationFile.getName().equals("ja.po")) bugzilla = new BlockedByBzBug("842450");
// Bug 842784 - [ALL LANG] failed pofilter untranslated option test for candlepin translations
if (pofilterTest.equals("untranslated")) bugzilla = new BlockedByBzBug("842784");
ll.add(Arrays.asList(new Object[] {bugzilla, pofilterTest, translationFile}));
}
}
return ll;
}
}
| [
"[email protected]"
] | |
a4c14d5412488b5971c0a698cac16d00ed0ecd85 | 81216db5970fe1b0b8f9b8f10ffba2cbe33f0d2f | /abstract-article/src/main/java/abstracts/fileOperation/Word.java | 8350810bdfdaf6321adac9342728a037314a9017 | [] | no_license | codergithut/netty-project | b84d9e78f0cd94afdc698de8226c7267cfc750c9 | 16c8b0c0b7f719813c4bc382b928589a936efbd9 | refs/heads/master | 2021-01-23T20:30:37.953888 | 2017-09-30T09:40:45 | 2017-09-30T09:40:45 | 102,863,035 | 1 | 0 | null | null | null | null | UTF-8 | Java | false | false | 444 | java | package abstracts.fileOperation;
public class Word {
private String word; // 词名
private int frequency; // 词频
public Word(String aWord, int aFrequency) {
word = aWord;
frequency = aFrequency;
}
public String getWord() {
return word;
}
public int getFrequency() {
return frequency;
}
public void setWord(String aWord) {
word = aWord;
}
public void setFrequency(int aFrequency) {
frequency = aFrequency;
}
}
| [
"[email protected]"
] | |
cb47eaa467975df3710524a7bc682763a559bd6b | b93c9fbf9be3bbe6b865c9a1ea62b6a9f6a71c97 | /standar-web/src/main/java/com/org/web/security/views/UserView.java | 882af6c8ddf53e4ef0fb08d0adbf4bc0265e2886 | [] | no_license | MauricioSaca/iso | 99fc10cd3d92726cd0310a8ab56c49aa11baad89 | a3b845113a8b69c6b01222b77a7ba3e50cdac902 | refs/heads/master | 2021-01-13T08:08:46.869636 | 2016-10-02T21:29:16 | 2016-10-02T21:29:16 | 69,816,413 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 1,457 | java | package com.org.web.security.views;
import java.io.Serializable;
import javax.annotation.PostConstruct;
import javax.faces.context.FacesContext;
import javax.inject.Inject;
import javax.inject.Named;
import org.apache.commons.lang3.StringUtils;
import org.omnifaces.cdi.ViewScoped;
import com.org.security.model.User;
import com.org.security.service.UserService;
import lombok.Getter;
import lombok.Setter;
@Named
@ViewScoped
@Getter
@Setter
public class UserView implements Serializable {
private static final long serialVersionUID = 7294268880729237565L;
private String userName;
private String password;
@Inject
private transient UserService usuarioService;
private User usuario;
@PostConstruct
public void init() {
usuario = new User();
usuario = usuarioService.findOne(new Long(1));
}
public void actionLogin() {
if (usuario != null) {
if (isNotNullAndNotEmpty(userName) && isNotNullAndNotEmpty(password)) {
if (usuario.getIsEnabled()) {
if (userName.equals(usuario.getLogin().getUserName())
&& password.equals(usuario.getLogin().getPassword())) {
String uri = "/index.xhtml";
FacesContext.getCurrentInstance().getApplication()
.getNavigationHandler()
.handleNavigation(FacesContext.getCurrentInstance(), null, uri);
}
}
}
}
}
private boolean isNotNullAndNotEmpty(String value) {
return value != null && !StringUtils.EMPTY.equals(value);
}
}
| [
"[email protected]"
] | |
b8bd96aa8c715ee07069ac90104de6be37f9acf8 | be6e4b78286c970ea3c03b05226408e449ab0176 | /src/main/java/com/blackbox/sharing/services/MemberService.java | e0b66413c6dd9864e33f822febad01621ab3569a | [] | no_license | jaaguilarb/sharing-backend | f8a5472c0fe0d48e01b2e07b35a7f20a10c091b2 | 408ea79beaab0579a2710960093821439a0b5a46 | refs/heads/master | 2020-03-14T21:04:29.926390 | 2018-05-04T05:22:38 | 2018-05-04T05:22:38 | 131,769,943 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 688 | java | /**
*
*/
package com.blackbox.sharing.services;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import com.blackbox.sharing.domain.Member;
import com.blackbox.sharing.repositories.MemberRepository;
import com.blackbox.sharing.services.exceptions.ObjectNotFoundException;
/**
* @author joseph
*
*/
@Service
public class MemberService {
@Autowired
private MemberRepository reposit;
public Member find(Integer id) {
Member member = reposit.findOne(id);
if (member == null) {
throw new ObjectNotFoundException("Object Not Found! Id: " + id
+ ", Type: " + Member.class.getName());
}
return member;
}
} | [
"[email protected]"
] | |
20aea30ad142bbcd1de67e9ca9035ddfe3c66959 | 4502195966f89b2adb944e9d2f3db45161590320 | /3 - JSF + Hibernate + Primefaces/aulasjsfprimefaces/src/br/com/project/report/util/DateUtils.java | 21d563e9719f3391366a66ebece3170645947470 | [] | no_license | moacirdesenvolvedor/Java | f32d882184379422a53809cd41ee1c2fb51fc5fb | a8bd61b3c4ed9bc066f213159a861d1a0db4848b | refs/heads/main | 2023-07-27T21:58:08.452049 | 2021-09-13T17:29:23 | 2021-09-13T17:29:23 | 406,065,412 | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 934 | java | package br.com.project.report.util;
import java.io.Serializable;
import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.Calendar;
import java.util.Date;
public class DateUtils implements Serializable{
private static final long serialVersionUID = 1L;
public static String getDateAtualReportName() {
DateFormat df = new SimpleDateFormat("ddMMyyyy");
return df.format(Calendar.getInstance().getTime());
}
public static String formatDateSql (Date data){
StringBuffer retorno = new StringBuffer();
DateFormat df = new SimpleDateFormat("yyyy-MM-dd");
retorno.append("'");
retorno.append(df.format(data));
retorno.append("'");
return retorno.toString();
}
public static String formatDateSqlSimple(Date data) {
StringBuffer retorno = new StringBuffer();
DateFormat df = new SimpleDateFormat("yyyy-MM-dd");
retorno.append(df.format(data));
return retorno.toString();
}
}
| [
"[email protected]"
] | |
53e5600f5850bafc821c66e3214d22776dc76f61 | 35c4992ec7d56ce77dbfe9bc06d77b22db9d71b8 | /Workspace/bank/src/persistence/PersistentFixTransactionFeeListEntryProxi.java | 789f57c97f22516d1adbbe439a1df1cc64d1dc6e | [] | no_license | flohtux/fhdw-aufgaben | eef6e5bb6a236b69046d30639b0350d25f28a053 | 77a2edcc3551f538337f89962afe5214cf5b9b9d | refs/heads/master | 2020-05-20T07:27:13.106918 | 2013-09-26T15:20:39 | 2013-09-26T15:20:39 | null | 0 | 0 | null | null | null | null | UTF-8 | Java | false | false | 136 | java | package persistence;
public interface PersistentFixTransactionFeeListEntryProxi extends PersistentTransactionFeeListEntryProxi {
} | [
"[email protected]"
] | |
70658c7205693868c7b119f54cd0ac72b2e72a95 | 908a271de51f39e168056985af6be62a15e27171 | /src/main/java/ch/rasc/darksky/json/JsonConverter.java | 74851f356cdea847707621e1958439158bff713d | [
"Apache-2.0"
] | permissive | ralscha/darksky | 4d78ad7287c7e09612b0c3d76bf2a790f7baf93b | 2e657813ab0e9fda11166ad712c1db51fc770cc7 | refs/heads/master | 2022-07-11T19:03:14.422212 | 2022-06-25T09:47:15 | 2022-06-25T09:47:15 | 62,307,767 | 7 | 1 | null | null | null | null | UTF-8 | Java | false | false | 813 | java | /**
* Copyright 2016-2020 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 ch.rasc.darksky.json;
import java.io.IOException;
import ch.rasc.darksky.model.DsResponse;
public interface JsonConverter {
DsResponse deserialize(String json) throws IOException;
}
| [
"[email protected]"
] |
Subsets and Splits
No saved queries yet
Save your SQL queries to embed, download, and access them later. Queries will appear here once saved.