text stringlengths 1 1.05M |
|---|
#!/bin/bash
set -o errexit
set -o nounset
#
# *** You should already be logged in to DockerHub when you run this ***
#
NAME="ponylang/ponyc-ci-x86-64-unknown-linux-ubuntu21.04-builder"
TODAY=$(date +%Y%m%d)
DOCKERFILE_DIR="$(dirname "$0")"
docker build --pull -t "${NAME}:${TODAY}" "${DOCKERFILE_DIR}"
docker push "${NAME}:${TODAY}"
|
'''
Перечислить методы списка (list)
Написать их через запятую с параметрами
Отсортировать методы по частоте использования (по вашему мнению)
Прокомментировать свой выбор
'''
# Уже отсортировал. Сортировал по частоте использования мной. Кто-то, вероятно, другие чаще использует.
methods=['append','sort','reverse','map','filter','insert','remove','pop','index','extend','clear']
# Чтобы посмотреть параметры метода, достаточно написать любой метод действующего списка, и, выделив его, нажать
# ctrl+пробел для справки
#methods.append() + ctrl+пробел или так:
help(methods) |
<reponame>hrakam/JavaBasics
package com.coding.bat.warmup1;
public class DelDel {
/*
* Given a string, if the string "del" appears starting at index 1,
* return a string where that "del" has been deleted. Otherwise, return the string unchanged.
*/
public static void main(String[] args) {
System.out.println(delDel("adelbc"));
System.out.println(delDel("adelHello"));
System.out.println(delDel("adedbc"));
}
public static String delDel(String str) {
if(str.startsWith("del", 1)){
return str.charAt(0) + str.substring(4, str.length());
}
return str;
}
}
|
package seedu.address.model.prescription;
import static java.util.Objects.requireNonNull;
import static seedu.address.commons.util.CollectionUtil.requireAllNonNull;
import java.util.Comparator;
import java.util.Iterator;
import java.util.List;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.collections.transformation.FilteredList;
import seedu.address.model.person.PersonId;
import seedu.address.model.prescription.exceptions.DuplicatePrescriptionException;
import seedu.address.model.prescription.exceptions.PrescriptionNotFoundException;
/**
* A list of unique prescriptions which also does not have null elements.
* Currently add and remove operations are supported.
*/
public class UniquePrescriptionList implements Iterable<Prescription> {
private final ObservableList<Prescription> internalList = FXCollections.observableArrayList();
private final ObservableList<Prescription> internalUnmodifiableList =
FXCollections.unmodifiableObservableList(internalList);
/**
* Add a new prescription to the ArrayList.
* The new prescription to add must not exist in the current ArrayList.
*/
public void addPrescription(Prescription toAdd) {
requireNonNull(toAdd);
if (contains(toAdd)) {
throw new DuplicatePrescriptionException();
}
internalList.add(toAdd);
}
/**
* Returns true if the ArrayList contains an equivalent prescription as the input.
*/
public boolean contains(Prescription other) {
requireNonNull(other);
return internalList.stream().anyMatch(other::equals);
}
/**
* Sort prescription list by date
*/
public void sort(Comparator<Prescription> prescriptionComparator) {
requireNonNull(prescriptionComparator);
FXCollections.sort(internalList, prescriptionComparator);
}
/**
* Remove the specified prescription from the list.
* If the input prescription does not exist in the list, an exception is thrown.
*/
public void remove(Prescription toRemove) {
requireNonNull(toRemove);
boolean result = internalList.remove(toRemove);
if (!result) {
throw new PrescriptionNotFoundException();
}
}
/**
* Replaces the prescription {@code target} in the list with {@code editedPrescription}.
* {@code target} must exist in the list.
* The prescription identity of {@code editedPrescription} must not be the same as another existing prescription
* in the list.
*/
public void setPrescription(Prescription target, Prescription editedPrescription) {
requireAllNonNull(target, editedPrescription);
int index = internalList.indexOf(target);
if (index == -1) {
throw new PrescriptionNotFoundException();
}
if (!target.isSamePrescription(editedPrescription) && contains(editedPrescription)) {
throw new DuplicatePrescriptionException();
}
internalList.set(index, editedPrescription);
}
/**
* Replaces the contents of this list with {@code medHists}.
* {@code medHists} must not contain duplicate medical histories.
*/
public void setPrescriptions(List<Prescription> medHists) {
requireAllNonNull(medHists);
if (!prescriptionsAreUnique(medHists)) {
throw new DuplicatePrescriptionException();
}
internalList.setAll(medHists);
}
public void setDoctorToNull(PersonId deleted) {
requireAllNonNull(deleted);
FilteredList<Prescription> setToNull = internalList.filtered(x -> x.getDoctorId().equals(deleted));
for (int index = 0; index < setToNull.size(); index++) {
setToNull.get(index).setDoctor(null);
}
}
public void setPatientToNull(PersonId deleted) {
requireAllNonNull(deleted);
FilteredList<Prescription> setToNull = internalList.filtered(x -> x.getPatientId().equals(deleted));
for (int index = 0; index < setToNull.size(); index++) {
setToNull.get(index).setPatient(null);
}
}
@Override
public Iterator<Prescription> iterator() {
return internalList.iterator();
}
@Override
public boolean equals(Object other) {
return other == this // short circuit if same object
|| (other instanceof UniquePrescriptionList // instanceof handles nulls
&& internalList.equals(((UniquePrescriptionList) other).internalList));
}
@Override
public int hashCode() {
return internalList.hashCode();
}
/**
* Returns the backing list as an unmodifiable {@code ObservableList}.
*/
public ObservableList<Prescription> asUnmodifiableObservableList() {
return internalUnmodifiableList;
}
/**
* Returns true if {@code medHists} contains only unique medHists.
*/
private boolean prescriptionsAreUnique(List<Prescription> prescriptions) {
for (int i = 0; i < prescriptions.size() - 1; i++) {
for (int j = i + 1; j < prescriptions.size(); j++) {
if (prescriptions.get(i).isSamePrescription(prescriptions.get(j))) {
return false;
}
}
}
return true;
}
}
|
from time import sleep
import requests
def solr_index(payload, core='wiki'):
headers = {'Content-Type':'application/json'}
if isinstance(payload, dict): # individual JSON doc
solr_api = 'http://localhost:8983/solr/%s/update/json/docs?commitWithin=5000' % core
elif isinstance(payload, list): # list of JSON docs
solr_api = 'http://localhost:8983/solr/%s/update?commitWithin=5000' % core
count = 0
while True:
count += 1
if count > 6:
return None
try:
resp = requests.request(method='POST', url=solr_api, json=payload, headers=headers)
return resp
except Exception as oops:
print(oops)
sleep(1)
def solr_search(query, core='wiki'):
headers = {'Content-Type':'application/json'}
if ' ' in query: # query is more than one phrase
solr_api = 'http://localhost:8983/solr/{core}/select?q=text%3A'.format(core=core)
for q in query.split():
solr_api += q + '%2B'
else: # query is single word
solr_api = 'http://localhost:8983/solr/{core}/select?q=text%3A{query}'.format(core=core, query=query)
count = 0
while True:
count += 1
if count > 6:
return None
try:
resp = requests.request(method='GET', url=solr_api, headers=headers)
return resp.json()
except Exception as oops:
print(oops)
sleep(1) |
#!/usr/bin/env bash
echo "Hello World!">a
ots -v stamp -m 1 -c http://localhost:1337/digest a & ./post.sh & ./post.sh & ./post.sh & ./post.sh
sleep 1
ots -v info a.ots
ots -v verify a.ots
rm a
rm a.ots
|
<gh_stars>1-10
export * from "./table";
//# sourceMappingURL=index.d.ts.map |
def gcd(a, b):
if a == 0:
return b
return gcd(b % a, a)
if __name__ == '__main__':
a = 4
b = 12
result = gcd(a, b)
print ("GCD of 4 and 12 is " + str(result)) |
/*
Form a column in the console screen.
Not wrap words.
Refer at fn. cli_coord_out_beta.
Remarks:
Based on fn. cli_out
Return the number of bytes for a Unicode character output in UTF-8.
Refer at fn. cli_init_ty_beta.
*/
# define CBR
# define CLI_W32
# include "../../../incl/config.h"
signed(__cdecl cli_coord_out_old_beta(signed char(*cur),CLI_W32_STAT(*argp))) {
/* **** DATA, BSS and STACK */
auto signed char HT = ('\t');
auto CLI_COORD coord;
auto signed char *b;
auto signed nbyte;
auto signed i,r;
auto signed short x,y;
auto signed short flag;
/* **** CODE/TEXT */
if(!cur) return(0x00);
if(!argp) return(0x00);
if(CLI_DBG_D<(CLI_DBG)) {
printf("%s%p \n","An offset address to the specified standard output device is: ",*(CLI_OUT+(R(device,*argp))));
if(!(*(CLI_OUT+(R(device,*argp))))) {
printf("%s \n","<< Get a handle to the specified standard output device.");
return(0x00);
}}
if(!(HT^(*cur))) {
r = cli_indent_beta(argp);
if(!r) {
printf("%s \n","<< Error at fn. cli_indent_beta()");
return(0x00);
}
return(0x01);
}
r = cli_coord_beta(CLI_IN,&coord,argp);
if(!r) {
printf("%s \n","<< Error at fn. cli_coord_beta()");
return(0x00);
}
x = (coord.x);
if(!(x^(R(Right,R(srWindow,R(csbi,*argp)))))) flag = (0x01);
else flag = (0x00);
// output
r = cli_out(cur);
if(!r) {
printf("%s \n","<< Error at fn. cli_out()");
return(0x00);
}
nbyte = (r);
// after outputting
if(flag) {
r = cli_get_csbi_beta(argp);
if(!r) {
printf("%s \n","<< Error at fn. cli_get_csbi_beta()");
return(0x00);
}
y = (R(Y,R(dwCursorPosition,R(csbi,*argp))));
if(!(y^(coord.y))) {
coord.y = (0x01+(coord.y));
coord.x = (0x00);
r = cli_coord_beta(CLI_OUT,&coord,argp);
if(!r) {
printf("%s \n","<< Error at fn. cli_coord_beta()");
return(0x00);
}
OR(R(flag,R(ty,*argp)),CLI_REFRESH);
}}
return(nbyte);
}
|
/*
* Copyright 2018-present Open Networking Foundation
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.onosproject.xmpp.core.ctl;
import com.google.common.collect.Maps;
import org.apache.felix.scr.annotations.Activate;
import org.apache.felix.scr.annotations.Component;
import org.apache.felix.scr.annotations.Deactivate;
import org.apache.felix.scr.annotations.Property;
import org.apache.felix.scr.annotations.Reference;
import org.apache.felix.scr.annotations.ReferenceCardinality;
import org.apache.felix.scr.annotations.Service;
import org.onosproject.cfg.ComponentConfigService;
import org.onosproject.core.CoreService;
import org.onosproject.xmpp.core.XmppController;
import org.onosproject.xmpp.core.XmppDevice;
import org.onosproject.xmpp.core.XmppDeviceId;
import org.onosproject.xmpp.core.XmppDeviceListener;
import org.onosproject.xmpp.core.XmppIqListener;
import org.onosproject.xmpp.core.XmppMessageListener;
import org.onosproject.xmpp.core.XmppPresenceListener;
import org.onosproject.xmpp.core.XmppDeviceAgent;
import org.osgi.service.component.ComponentContext;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.xmpp.packet.IQ;
import org.xmpp.packet.Message;
import org.xmpp.packet.Packet;
import org.xmpp.packet.Presence;
import java.net.InetSocketAddress;
import java.util.Set;
import java.util.concurrent.ConcurrentMap;
import java.util.concurrent.CopyOnWriteArraySet;
/**
* The main class (bundle) of XMPP protocol.
* Responsible for:
* 1. Initialization and starting XMPP server.
* 2. Handling XMPP packets from clients and writing to clients.
* 3. Configuration parameters initialization.
* 4. Notifing listeners about XMPP events/packets.
*/
@Component(immediate = true)
@Service
public class XmppControllerImpl implements XmppController {
private static final String APP_ID = "org.onosproject.xmpp";
private static final String XMPP_PORT = "5269";
private static final Logger log =
LoggerFactory.getLogger(XmppControllerImpl.class);
// core services declaration
@Reference(cardinality = ReferenceCardinality.MANDATORY_UNARY)
protected CoreService coreService;
@Reference(cardinality = ReferenceCardinality.MANDATORY_UNARY)
protected ComponentConfigService cfgService;
// configuration properties definition
@Property(name = "xmppPort", value = XMPP_PORT,
label = "Port number used by XMPP protocol; default is 5269")
private String xmppPort = XMPP_PORT;
// listener declaration
protected Set<XmppDeviceListener> xmppDeviceListeners = new CopyOnWriteArraySet<XmppDeviceListener>();
protected Set<XmppIqListener> xmppIqListeners = new CopyOnWriteArraySet<XmppIqListener>();
protected Set<XmppMessageListener> xmppMessageListeners = new CopyOnWriteArraySet<XmppMessageListener>();
protected Set<XmppPresenceListener> xmppPresenceListeners = new CopyOnWriteArraySet<XmppPresenceListener>();
protected XmppDeviceAgent agent = new DefaultXmppDeviceAgent();
private final XmppServer xmppServer = new XmppServer();
private DefaultXmppDeviceFactory deviceFactory = new DefaultXmppDeviceFactory();
ConcurrentMap<XmppDeviceId, XmppDevice> connectedDevices = Maps.newConcurrentMap();
ConcurrentMap<InetSocketAddress, XmppDeviceId> addressDeviceIdMap = Maps.newConcurrentMap();
@Activate
public void activate(ComponentContext context) {
log.info("XmppControllerImpl started.");
coreService.registerApplication(APP_ID, this::cleanup);
cfgService.registerProperties(getClass());
deviceFactory.init(agent);
xmppServer.setConfiguration(context.getProperties());
xmppServer.start(deviceFactory);
}
@Deactivate
public void deactivate() {
cleanup();
cfgService.unregisterProperties(getClass(), false);
log.info("Stopped");
}
private void cleanup() {
xmppServer.stop();
deviceFactory.cleanAgent();
connectedDevices.values().forEach(XmppDevice::disconnectDevice);
connectedDevices.clear();
}
@Override
public XmppDevice getDevice(XmppDeviceId xmppDeviceId) {
return connectedDevices.get(xmppDeviceId);
}
@Override
public void addXmppDeviceListener(XmppDeviceListener deviceListener) {
xmppDeviceListeners.add(deviceListener);
}
@Override
public void removeXmppDeviceListener(XmppDeviceListener deviceListener) {
xmppDeviceListeners.remove(deviceListener);
}
@Override
public void addXmppIqListener(XmppIqListener iqListener) {
xmppIqListeners.add(iqListener);
}
@Override
public void removeXmppIqListener(XmppIqListener iqListener) {
xmppIqListeners.remove(iqListener);
}
@Override
public void addXmppMessageListener(XmppMessageListener messageListener) {
xmppMessageListeners.add(messageListener);
}
@Override
public void removeXmppMessageListener(XmppMessageListener messageListener) {
xmppMessageListeners.remove(messageListener);
}
@Override
public void addXmppPresenceListener(XmppPresenceListener presenceListener) {
xmppPresenceListeners.add(presenceListener);
}
@Override
public void removeXmppPresenceListener(XmppPresenceListener presenceListener) {
xmppPresenceListeners.remove(presenceListener);
}
private class DefaultXmppDeviceAgent implements XmppDeviceAgent {
@Override
public boolean addConnectedDevice(XmppDeviceId deviceId, XmppDevice device) {
if (connectedDevices.get(deviceId) != null) {
log.warn("Trying to add Xmpp Device but found a previous " +
"value for XMPP deviceId: {}", deviceId);
return false;
} else {
log.info("Added XMPP device: {}", deviceId);
connectedDevices.put(deviceId, device);
for (XmppDeviceListener listener : xmppDeviceListeners) {
listener.deviceConnected(deviceId);
}
return true;
}
}
@Override
public void removeConnectedDevice(XmppDeviceId deviceId) {
connectedDevices.remove(deviceId);
for (XmppDeviceListener listener : xmppDeviceListeners) {
listener.deviceDisconnected(deviceId);
}
}
@Override
public XmppDevice getDevice(XmppDeviceId deviceId) {
return connectedDevices.get(deviceId);
}
@Override
public void processUpstreamEvent(XmppDeviceId deviceId, Packet packet) {
if (packet instanceof IQ) {
for (XmppIqListener iqListener : xmppIqListeners) {
iqListener.handleIqStanza((IQ) packet);
}
}
if (packet instanceof Message) {
for (XmppMessageListener messageListener : xmppMessageListeners) {
messageListener.handleMessageStanza((Message) packet);
}
}
if (packet instanceof Presence) {
for (XmppPresenceListener presenceListener : xmppPresenceListeners) {
presenceListener.handlePresenceStanza((Presence) packet);
}
}
}
}
}
|
"""
Copyright (C) 2020 ETH Zurich. All rights reserved.
Author: <NAME>, ETH Zurich
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.
"""
from os.path import abspath
from os.path import dirname as up
import sys
# Insert path to pybf library to system path
path_to_lib = up(up(up(up(up(abspath(__file__))))))
sys.path.insert(0, path_to_lib)
from pybf.scripts.make_video import make_video
if __name__ == '__main__':
# Following dataset released under CC BY license (see data/README.md for details)
dataset_file_path = path_to_lib + '/pybf/tests/data/image_dataset.hdf5'
db_range = 50
video_fps = 30
# Make video
make_video(dataset_file_path,
db_range=db_range,
video_fps=video_fps,
save_path=up(abspath(__file__))) |
const amqp = require('amqplib/callback_api');
const messageBrokerInfo = {
exchanges: {
order: 'Cryptocop'
},
queues: {
orderQueue: 'payment-queue'
},
routingKeys: {
createOrderKey: 'create-order'
}
};
const createMessageBrokerConnection = () => new Promise((resolve, reject) => {
amqp.connect('amqps://yqrbpfxq:DstEdXfIUOCHv2GzlvSbLRhbiym8RVTt@bonobo.rmq.cloudamqp.com/yqrbpfxq', function(err, conn) {
if (err) { reject(err); }
resolve(conn);
});
});
const configureMessageBroker = channel => {
const { exchanges, queues, routingKeys } = messageBrokerInfo;
channel.assertExchange(exchanges.order, 'direct', { durable: false });
channel.assertQueue(queues.orderQueue, { durable: true });
console.log(" [*] Waiting for messages\nTo exit press CTRL+C");
channel.bindQueue(queues.orderQueue, exchanges.order, routingKeys.createOrderKey);
}
const createChannel = connection => new Promise((resolve, reject) => {
connection.createChannel((err, channel) => {
if (err) { reject(err); }
configureMessageBroker(channel);
resolve(channel);
});
});
(async () => {
const connection = await createMessageBrokerConnection();
const channel = await createChannel(connection);
const { orderQueue } = messageBrokerInfo.queues;
channel.consume(orderQueue, data => {
/*
OrderDto:
{
"Id":1,
"Email":"<EMAIL>",
"FulEmaillName":"<NAME>",
"StreetName":"Testmund Street",
"HouseNumber":"15",
"ZipCode":"109",
"Country":"TestCountry",
"City":"TestCity",
"CardholderName":"<NAME>",
"CreditCard":"************5555",
"OrderDate":"13.11.2020",
"TotalPrice":5.165,
"OrderItems":[
{
"Id":1,
"ProductIdentifier":"BTC",
"Quantity":1.0,
"UnitPrice":5.165,
"TotalPrice":5.165,
"Links":{}
}
],
"Links":{}
}
*/
let { CreditCard } = JSON.parse(data.content.toString());
var valid = require("card-validator");
var numberValidation = valid.number(CreditCard);
if (!numberValidation.isPotentiallyValid) {
console.log("Credit Card: " + CreditCard +" is invalid!");
}
else{
if (numberValidation.card) {
console.log("Credit Card: " + CreditCard +" (" + numberValidation.card.type + ") is valid");
}else{
console.log("Credit Card: " + CreditCard +" is valid");
}
}
}, { noAck: true });
})().catch(e => console.error(e)); |
<reponame>Arthurhiew/Classify<gh_stars>0
import Axios from "axios";
import q from "q";
export const getArtist = (id) => {};
export const getArtists = () => {
var deferred = q.defer();
let data = [];
const apiUrl = "/api/artists";
Axios.post(apiUrl).then((result) => {
console.log(result);
if (!result.data.length) {
deferred.reject("error retrieving artists");
} else {
data = result.data;
data.forEach((i) => {
i.actions = ["edit", "remove"];
});
deferred.resolve(data);
}
});
return deferred.promise;
};
export const addArtist = (sendData) => {
var deferred = q.defer();
const apiUrl = "/api/addArtist";
Axios.post(apiUrl, sendData).then((result) => {
console.log(result);
if (result.data.errno) {
deferred.reject("error retrieving artists");
} else {
deferred.resolve("sucessful");
}
});
return deferred.promise;
};
export const removeArtists = ({ id }) => {
const deferred = q.defer();
const apiUrl = "/api/removeArtists";
console.log("service has id " + id);
Axios.post(apiUrl, { id }).then((result) => {
if (result.data.errno) {
deferred.reject("remove artists failed");
} else {
deferred.resolve("artists removed");
}
});
return deferred.promise;
};
export const editArtist = ({ id, name }) => {
const deferred = q.defer();
const apiUrl = "/api/editArtist";
Axios.post(apiUrl, { id, name }).then((result) => {
if (result.data.errno) {
deferred.reject("edit artist failed");
} else {
deferred.resolve("artist edit successful");
}
});
return deferred.promise;
};
|
#!/usr/bin/env bash
# Copyright 2014 The Oppia 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.
set -e
source $(dirname $0)/setup.sh || exit 1
# Download and install required JS and zip files.
echo Installing third-party JS libraries and zip files.
$PYTHON_CMD scripts/install_third_party.py
# Install third-party node modules needed for the build process.
install_node_module ajv 5.0.0
install_node_module eslint 4.19.0
install_node_module eslint-plugin-angular 0.12.0
install_node_module eslint-plugin-html 4.0.1
install_node_module gulp 3.9.0
install_node_module gulp-clean-css 2.0.2
install_node_module gulp-concat 2.6.0
install_node_module gulp-sourcemaps 1.6.0
install_node_module gulp-uglify 2.0.1
install_node_module gulp-util 3.0.7
install_node_module through2 2.0.0
install_node_module yargs 3.29.0
# Download and install Skulpt. Skulpt is built using a Python script included
# within the Skulpt repository (skulpt.py). This script normally requires
# GitPython, however the patches to it below (with the sed operations) lead to
# it no longer being required. The Python script is used to avoid having to
# manually recreate the Skulpt dist build process in install_third_party.py.
# Note that skulpt.py will issue a warning saying its dist command will not
# work properly without GitPython, but it does actually work due to the
# patches.
echo Checking whether Skulpt is installed in third_party
if [ ! "$NO_SKULPT" -a ! -d "$THIRD_PARTY_DIR/static/skulpt-0.10.0" ]; then
if [ ! -d "$TOOLS_DIR/skulpt-0.10.0" ]; then
echo Downloading Skulpt
cd $TOOLS_DIR
mkdir skulpt-0.10.0
cd skulpt-0.10.0
git clone https://github.com/skulpt/skulpt
cd skulpt
# Use a specific Skulpt release.
git checkout 0.10.0
# Add a temporary backup file so that this script works on both Linux and
# Mac.
TMP_FILE=`mktemp /tmp/backup.XXXXXXXXXX`
echo Compiling Skulpt
# The Skulpt setup function needs to be tweaked. It fails without certain
# third party commands. These are only used for unit tests and generating
# documentation and are not necessary when building Skulpt.
sed -e "s/ret = test()/ret = 0/" $TOOLS_DIR/skulpt-0.10.0/skulpt/skulpt.py |\
sed -e "s/ doc()/ pass#doc()/" > $TMP_FILE
mv $TMP_FILE $TOOLS_DIR/skulpt-0.10.0/skulpt/skulpt.py
$PYTHON_CMD $TOOLS_DIR/skulpt-0.10.0/skulpt/skulpt.py dist
# Return to the Oppia root folder.
cd $OPPIA_DIR
fi
# Move the build directory to the static resources folder.
mkdir -p $THIRD_PARTY_DIR/static/skulpt-0.10.0
cp -r $TOOLS_DIR/skulpt-0.10.0/skulpt/dist/* $THIRD_PARTY_DIR/static/skulpt-0.10.0
fi
# Checking if pip is installed. If you are having
# trouble, please ensure that you have pip installed (see "Installing Oppia"
# on the Oppia developers' wiki page).
echo Checking if pip is installed on the local machine
if ! type pip > /dev/null 2>&1 ; then
echo ""
echo " Pip is required to install Oppia dependencies, but pip wasn't found"
echo " on your local machine."
echo ""
echo " Please see \"Installing Oppia\" on the Oppia developers' wiki page:"
if [ "${OS}" == "Darwin" ] ; then
echo " https://github.com/oppia/oppia/wiki/Installing-Oppia-%28Mac-OS%29"
else
echo " https://github.com/oppia/oppia/wiki/Installing-Oppia-%28Linux%29"
fi
# If pip is not installed, quit.
exit 1
fi
echo Checking if pylint is installed in $TOOLS_DIR/pip_packages
if [ ! -d "$TOOLS_DIR/pylint-1.7.1" ]; then
echo Installing Pylint
pip install pylint==1.7.1 --target="$TOOLS_DIR/pylint-1.7.1"
# Add __init__.py file so that pylint dependency backports are resolved
# correctly.
touch $TOOLS_DIR/pylint-1.7.1/backports/__init__.py
fi
# Install webtest.
echo Checking if webtest is installed in third_party
if [ ! -d "$TOOLS_DIR/webtest-1.4.2" ]; then
echo Installing webtest framework
# Note that the github URL redirects, so we pass in -L to tell curl to follow the redirect.
curl -o webtest-download.zip -L https://github.com/Pylons/webtest/archive/1.4.2.zip
unzip webtest-download.zip -d $TOOLS_DIR
rm webtest-download.zip
fi
# Install isort.
echo Checking if isort is installed in third_party
if [ ! -d "$TOOLS_DIR/isort-4.2.15" ]; then
echo Installing isort
# Note that the URL redirects, so we pass in -L to tell curl to follow the redirect.
curl -o isort-4.2.15.tar.gz -L https://pypi.python.org/packages/4d/d5/7c8657126a43bcd3b0173e880407f48be4ac91b4957b51303eab744824cf/isort-4.2.15.tar.gz
tar xzf isort-4.2.15.tar.gz -C $TOOLS_DIR
rm isort-4.2.15.tar.gz
fi
# Install pycodestyle.
echo Checking if pycodestyle is installed in third_party
if [ ! -d "$TOOLS_DIR/pycodestyle-2.3.1" ]; then
echo Installing pycodestyle
# Note that the URL redirects, so we pass in -L to tell curl to follow the redirect.
curl -o pycodestyle-2.3.1.tar.gz -L https://pypi.python.org/packages/e1/88/0e2cbf412bd849ea6f1af1f97882add46a374f4ba1d2aea39353609150ad/pycodestyle-2.3.1.tar.gz
tar xzf pycodestyle-2.3.1.tar.gz -C $TOOLS_DIR
rm pycodestyle-2.3.1.tar.gz
fi
# Python API for browsermob-proxy.
echo Checking if browsermob-proxy is installed in $TOOLS_DIR/pip_packages
if [ ! -d "$TOOLS_DIR/browsermob-proxy-0.7.1" ]; then
echo Installing browsermob-proxy
pip install browsermob-proxy==0.7.1 --target="$TOOLS_DIR/browsermob-proxy-0.7.1"
fi
echo Checking if selenium is installed in $TOOLS_DIR/pip_packages
if [ ! -d "$TOOLS_DIR/selenium-2.53.2" ]; then
echo Installing selenium
pip install selenium==2.53.2 --target="$TOOLS_DIR/selenium-2.53.2"
fi
# install pre-push script
echo Installing pre-push hook for git
$PYTHON_CMD $OPPIA_DIR/scripts/pre_push_hook.py --install
|
#!/bin/bash
# To regenerate the icons. The CLI for Inkspace needs full paths.
for x in 16 32 48 64 128 256 512
do
inkscape --export-png /Users/ra/Projects/github/chessChrome/ext/icons/knight${x}.png -w ${x} /Users/ra/Projects/github/chessChrome/ext/icons/knight.svg
done
|
# Function to find duplicates
def find_duplicates(string):
# initialize empty list
result = []
# loop through the string and check for duplicates
for i in range(len(string)):
for j in range(i+1, len(string)):
if string[i] == string[j] and string[i] not in result:
result.append(string[i])
# return list with duplicates
return result
# Example string
example_string = "Hello"
# Find duplicates
duplicates = find_duplicates(example_string)
# Print duplicates
print(duplicates) |
#!/bin/sh
#
# SpanDSP - a series of DSP components for telephony
#
# unpack_v56ter_data.sh
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU Lesser General Public License version 2.1,
# as published by the Free Software Foundation.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with this program; if not, write to the Free Software
# Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
ITUDATA="../../../T-REC-V.56ter-199608-I!!ZPF-E.zip"
cd test-data/itu
if [ -d v56ter ]
then
cd v56ter
else
mkdir v56ter
RETVAL=$?
if [ $RETVAL != 0 ]
then
echo Cannot create test-data/itu/v56ter!
exit $RETVAL
fi
cd v56ter
fi
rm -rf software
rm -rf *.TST
unzip ${ITUDATA} >/dev/null
RETVAL=$?
if [ $RETVAL != 0 ]
then
echo Cannot unpack the ITU test vectors for V.56ter!
exit $RETVAL
fi
#rm ${ITUDATA}
unzip software/V56ter/V56tere/Software.zip >/dev/null
RETVAL=$?
if [ $RETVAL != 0 ]
then
echo Cannot unpack the ITU test vectors for V.56ter!
exit $RETVAL
fi
mv ./software/V56ter/V56tere/*.TST .
chmod 644 *.TST
rm -rf software
echo The ITU test vectors for V.56ter should now be in the v56ter directory
|
print()
print('=' * 40)
nome = str(input('Nome: ')).lower()
print()
s = 'silva' in nome
print(f'Tem Silva no nome? {s}')
print()
print('=' * 40)
print()
|
import * as hapi from 'hapi';
import * as hapiAuthCookie from 'hapi-auth-cookie';
import * as moment from 'moment';
import * as TypeOrm from 'typeorm';
import logger from '../logging';
import config from '../config';
import Session from '../models/entity/session';
import User from '../models/entity/user';
export default class AuthCookiePlugin {
public static register(server: hapi.Server): Promise<void> {
return new Promise<void>((resolve, reject) => {
server.register({
register: hapiAuthCookie,
}, (error) => {
if (error) {
logger.error('error', error);
return reject(error);
}
server.auth.strategy('session', 'cookie', 'try', {
cookie: config.get('app:cookie_name'),
password: <PASSWORD>('<PASSWORD>'),
isSecure: false,
ttl: moment().add(config.get('app:cookie_expiration'), 'days').valueOf(),
validateFunc: function (request, session, callback) {
TypeOrm.getConnection()
.getRepository(Session)
.createQueryBuilder('session')
.innerJoinAndMapOne('session.user', User, 'user', 'user.id=session.user')
.where('session.id = :id')
.setParameter('id', session.id)
.getOne()
.then((entity) => {
if (!entity) {
logger.debug('session.id %d could not be found', session.id);
return callback(null, false);
}
logger.debug('session.id %d loaded', session.id);
return callback(null, true, entity);
}, (err) => {
return callback(err, false);
});
}
});
resolve();
});
})
}
}
|
# -*- coding: UTF-8 -*-
"""Definitions for `Nester` class."""
import gc
import pickle
import sys
import time
import numpy as np
from astrocats.catalog.model import MODEL
from astrocats.catalog.quantity import QUANTITY
from mosfit.samplers.sampler import Sampler
from mosfit.utils import pretty_num
class Nester(Sampler):
"""Fit transient events with the provided model."""
_MAX_ACORC = 5
_REPLACE_AGE = 20
def __init__(
self, fitter, model=None, iterations=2000, burn=None, post_burn=None,
num_walkers=None, convergence_criteria=None,
convergence_type='psrf', gibbs=False, fracking=True,
frack_step=20, **kwargs):
"""Initialize `Nester` class."""
super(Nester, self).__init__(fitter, num_walkers=num_walkers, **kwargs)
self._model = model
self._iterations = iterations
self._burn = burn
self._post_burn = post_burn
self._cc = convergence_criteria
self._ct = convergence_type
self._gibbs = gibbs
self._fracking = fracking
self._frack_step = frack_step
self._upload_model = None
self._ntemps = 1
def _get_best_kmat(self):
"""Get the kernel matrix associated with best current scoring model."""
sout = self._model.run_stack(
self._results.samples[np.unravel_index(
np.argmax(self._results.logl),
self._results.logl.shape)],
root='objective')
kmat = sout.get('kmat')
kdiag = sout.get('kdiagonal')
variance = sout.get('obandvs', sout.get('variance'))
if kdiag is not None and kmat is not None:
kmat[np.diag_indices_from(kmat)] += kdiag
elif kdiag is not None and kmat is None:
kmat = np.diag(kdiag + variance)
return kmat
def append_output(self, modeldict):
"""Append output from the nester to the model description."""
modeldict[MODEL.SCORE] = {
QUANTITY.VALUE: pretty_num(self._logz, sig=6),
QUANTITY.E_VALUE: pretty_num(self._e_logz, sig=6),
QUANTITY.KIND: 'Log(z)'
}
modeldict[MODEL.STEPS] = str(self._niter)
def prepare_output(self, check_upload_quality, upload):
"""Prepare output for writing to disk and uploading."""
self._pout = [self._results.samples]
self._lnprobout = [self._results.logl]
self._weights = [np.exp(self._results.logwt - max(
self._results.logwt))]
tweight = np.sum(self._weights)
self._weights = [x / tweight for x in self._weights]
if check_upload_quality:
pass
def run(self, walker_data):
"""Use nested sampling to determine posteriors."""
from dynesty import DynamicNestedSampler
from dynesty.dynamicsampler import stopping_function, weight_function
from mosfit.fitter import ln_likelihood, draw_from_icdf
prt = self._printer
if len(walker_data):
prt.message('nester_not_use_walkers', warning=True)
ndim = self._model._num_free_parameters
if self._num_walkers:
self._nwalkers = self._num_walkers
else:
self._nwalkers = 2 * ndim
self._nlive = 20 * ndim
self._lnprob = None
self._lnlike = None
prt.message('nmeas_nfree', [self._model._num_measurements, ndim])
nested_dlogz_init = self._cc
post_thresh = self._cc
max_iter = self._iterations if self._ct is None else np.inf
if max_iter <= 0:
return
s_exception = None
iter_denom = None if self._ct is not None else self._iterations
# Save a few things from the dynesty run for diagnostic purposes.
scales = []
try:
sampler = DynamicNestedSampler(
ln_likelihood, draw_from_icdf, ndim,
pool=self._pool, sample='rwalk',
queue_size=max(self._pool.size, 1))
# Perform initial sample.
ncall = sampler.ncall
self._niter = sampler.it - 1
for li, res in enumerate(sampler.sample_initial(
dlogz=nested_dlogz_init, nlive=self._nlive
)):
ncall0 = ncall
(worst, ustar, vstar, loglstar, logvol,
logwt, self._logz, logzvar, h, nc, worst_it,
propidx, propiter, eff, delta_logz) = res
ncall += nc
self._niter += 1
max_iter -= 1
if max_iter < 0:
break
self._results = sampler.results
scales.append(sampler.results.scale)
kmat = self._get_best_kmat()
# The above added 1 call.
ncall += 1
self._e_logz = np.sqrt(logzvar)
prt.status(
self, 'baseline', kmat=kmat,
iterations=[self._niter, iter_denom],
nc=ncall - ncall0, ncall=ncall, eff=eff,
logz=[self._logz, self._e_logz,
delta_logz, nested_dlogz_init],
loglstar=[loglstar])
if max_iter >= 0:
prt.status(
self, 'starting_batches', kmat=kmat,
iterations=[self._niter, iter_denom],
nc=ncall - ncall0, ncall=ncall, eff=eff,
logz=[self._logz, self._e_logz,
delta_logz, nested_dlogz_init],
loglstar=[loglstar])
n = 0
while max_iter >= 0:
n += 1
if (self._fitter._maximum_walltime is not False and
time.time() - self._fitter._start_time >
self._fitter._maximum_walltime):
prt.message('exceeded_walltime', warning=True)
break
self._results = sampler.results
scales.append(sampler.results.scale)
stop, stop_vals = stopping_function(
self._results, return_vals=True, args={
'post_thresh': post_thresh})
stop_post, stop_evid, stop_val = stop_vals
if not stop:
logl_bounds = weight_function(self._results)
self._logz, self._e_logz = self._results.logz[
-1], self._results.logzerr[-1]
for res in sampler.sample_batch(
logl_bounds=logl_bounds,
nlive_new=int(np.ceil(self._nlive / 2))):
(worst, ustar, vstar, loglstar, nc,
worst_it, propidx, propiter, eff) = res
ncall0 = ncall
ncall += nc
self._niter += 1
max_iter -= 1
self._results = sampler.results
kmat = self._get_best_kmat()
# The above added 1 call.
ncall += 1
prt.status(
self, 'batching', kmat=kmat,
iterations=[self._niter, iter_denom],
batch=n, nc=ncall - ncall0, ncall=ncall, eff=eff,
logz=[self._logz, self._e_logz], loglstar=[
logl_bounds[0], loglstar,
logl_bounds[1]], stop=stop_val)
if max_iter < 0:
break
sampler.combine_runs()
else:
break
# self._results.summary()
# prt.nester_status(self, desc='sampling')
except (KeyboardInterrupt, SystemExit):
prt.message('ctrl_c', error=True, prefix=False, color='!r')
s_exception = sys.exc_info()
except Exception:
print('Scale history:')
print(scales)
pickle.dump(sampler.results, open(
self._fitter._event_name + '-dynesty.pickle', 'wb'))
self._pool.close()
raise
if max_iter < 0:
prt.message('max_iter')
if s_exception is not None:
self._pool.close()
if (not prt.prompt('mc_interrupted')):
sys.exit()
sampler.reset()
gc.collect()
|
addSbtPlugin("org.scala-js" % "sbt-scalajs" % "0.6.15")
addSbtPlugin("ch.epfl.scala" % "sbt-scalajs-bundler" % "0.5.0")
addSbtPlugin("org.scoverage" % "sbt-scoverage" % "1.5.0")
libraryDependencies += "org.scala-js" %% "scalajs-env-selenium" % "0.1.3"
|
<reponame>iostrovok/cacheproxy
package main
import (
"fmt"
"log"
"github.com/iostrovok/cacheproxy/utils"
)
/*
Show deference requests between 2 files.
*/
func main() {
fileA := "./test1.db"
fileB := "./test1.db"
res, err := utils.Compare(fileA, fileB)
if err != nil {
log.Fatal(err)
}
for i, r := range res {
rec := r.Records[0]
fmt.Printf("%d] %s: %s\n", i, r.Diff.String(), rec.ID)
if r.Diff != utils.Ok {
fmt.Printf("\n\n%s\n\n", string(rec.Body.Request))
}
}
}
|
#!/bin/bash
set -e
DIR="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
set -v
sudo apt-get update -qq
sudo DEBIAN_FRONTEND=noninteractive apt-get install -y openscad inkscape imagemagick xvfb
sudo pip install -r "$DIR/requirements.txt"
|
#ifndef MAUNALWAYPOINTCONTROLLER_H
#define MANULAWAYPOINTCONTROLLER_H
#include <map>
#include "Controller.h"
class ManualWaypointController : virtual Controller
{
public:
ManualWaypointController();
~ManualWaypointController();
// Clears the list of waypoints to visit.
// NOTE: this will not stop the robot from driving to a waypoint if
// it was already driving there before this was called.
void Reset() override;
// Returns the next waypoint in the list. The result is set up to
// be used by DriveController for waypoint navigation.
//
Result DoWork() override;
// True if there are waypoints in the list. False otherwise.
bool HasWork() override;
// Interrupts only if the number of waypoints has changed and is
// non-zero.
bool ShouldInterrupt() override;
// Tell the controller the current location of the robot.
void SetCurrentLocation(Point currentLocation);
// Add the provided waypoint to the list of manual waypoints.
// NOTE: Waypoints should have unique ids, it is incumbent on the
// caller to ensure this. Providing the same IDs for multiple
// waypoints may cause undefined behavior in the GUI. Further more
// if the ID is removed using RemoveManualWaypoint() then all
// waypoints with that ID may be removed.
void AddManualWaypoint(Point wpt, int id);
// Remove the waypoint with the given ID from the list of waypoints
// to visit. If no maypoint exists with the given ID, the no action
// is taken.
void RemoveManualWaypoint(int id);
// Get a vector containing all waypoint IDs that have been visited
// since this function was last called.
// This should be called regularly to prevent memory leaks.
std::vector<int> ReachedWaypoints();
void SetCurrentTimeInMilliSecs( long int time );
protected:
void ProcessData() override;
private:
Point currentLocation;
// list of manual waypoints
std::map<int,Point> waypoints;
std::vector<int> cleared_waypoints;
int num_waypoints = 0;
// coppied from DriveController: 15 cm
const float waypoint_tolerance = 0.15;
long int current_time;
};
#endif // MANUALWAYPOINTCONTROLLER_H
|
def greet(name, age):
if age < 18:
return "Welcome " + name + "! Enjoy your youth!"
else:
return "Welcome " + name +"! Enjoy your life!" |
#!/bin/bash
for file in `ls $@`; do
echo $file
bats_file=$(basename $file)
workdir_name=$(dirname $file)
docker run --rm -e LANG="ja_JP.UTF-8" -v $(pwd):/work -w /work/$workdir_name -it okwrtdsh/shell_gei bats $bats_file
done
|
def find_min(f, x):
# Set a small tolerance
tolerance = 1e-8
# Define an initial step
step = 1.0
# Keep track of the best values seen so far
best_x = x
best_val = f(x)
while step > tolerance:
# Take a step in the derivative direction
x += -step * df(x)
value = f(x)
# Store the best values seen
if value < best_val:
best_val = value
best_x = x
# Shrink the step size
step *= 0.5
# Return the best point we saw
return best_x |
#!/bin/sh
# shellcheck disable=SC3033,SC3040,SC3043
:
copy-in-help()
{
echo "pot copy-in [-hv] -p pot -s source -d destination"
echo ' -h print this help'
echo ' -v verbose'
echo ' -F force copy operation for running jails (can partially expose the host file system)'
echo ' -p pot : the working pot'
echo ' -s source : the file or directory to be copied in'
echo ' -d destination : the final location inside the pot'
echo ' -c create missing path components to dirname(destination) inside the pot'
}
# $1 source
_source_validation()
{
local _source
_source="$1"
if [ -f "$_source" ] || [ -d "$_source" ]; then
if [ -r "$_source" ]; then
return 0 # true
else
_error "$_source not readable"
fi
else
_error "$_source not valid"
return 1 # false
fi
}
_make_temp_source()
{
local _proot
_proot="$1"
mktemp -d "$_proot/tmp/copy-in${POT_MKTEMP_SUFFIX}"
}
_mount_source_into_potroot()
{
local _source _mountpoint _source_mnt
_source="$1"
_mountpoint="$2"
if [ -f "$_source" ]; then
_source_mnt="$( dirname "$_source" )"
else
_source_mnt="$_source"
fi
if ! mount_nullfs -o ro "$_source_mnt" "$_mountpoint" ; then
_error "Failed to mount source inside the pot"
return 1
fi
}
pot-copy-in()
{
local _pname _source _destination _to_be_umount _rc _force _proot _cp_opt _create_dirs
OPTIND=1
_pname=
_destination=
_force=
_cp_opt="-a"
_create_dirs=
while getopts "hvs:d:p:Fc" _o ; do
case "$_o" in
h)
copy-in-help
return 0
;;
F)
_force="YES"
;;
v)
_POT_VERBOSITY=$(( _POT_VERBOSITY + 1))
_cp_opt="-va"
;;
s)
_source="$OPTARG"
;;
p)
_pname="$OPTARG"
;;
d)
_destination="$OPTARG"
;;
c)
_create_dirs="YES"
;;
*)
copy-in-help
return 1
;;
esac
done
if [ -z "$_pname" ]; then
_error "A pot name is mandatory"
copy-in-help
return 1
fi
if [ -z "$_source" ]; then
_error "A source is mandatory"
copy-in-help
return 1
fi
if [ -z "$_destination" ]; then
_error "A destination is mandatory"
copy-in-help
return 1
fi
if ! _is_absolute_path "$_destination" ; then
_error "The destination has to be an absolute pathname"
return 1
fi
if ! _is_pot "$_pname" ; then
_error "pot $_pname is not valid"
copy-in-help
return 1
fi
if ! _is_uid0 ; then
return 1
fi
if ! _source_validation "$_source" ; then
copy-in-help
return 1
fi
if _is_pot_running "$_pname" ; then
if [ "$_force" != "YES" ]; then
_error "Copying files on a running pot is discouraged, it can partially expose the host file system to the jail"
_info "Using the -F flag, the operation can be executed anyway, but we disagree"
return 1
else
_debug "Copying files on a running pot allowed, because of the -F flag"
fi
else
_pot_mount "$_pname"
_to_be_umount=1
fi
_proot=${POT_FS_ROOT}/jails/$_pname/m
if [ "$_create_dirs" = "YES" ]; then
if _is_pot_running "$_pname" ; then
if jexec "$_pname" /bin/mkdir -p "$(dirname "$_destination")" ; then
_debug "Destination path $_destination created in the pot $_pname"
else
_error "Destination path $_destination NOT created because of an error"
if [ "$_to_be_umount" = "1" ]; then
_pot_umount "$_pname"
fi
return 1
fi
else
if jail -c path="$_proot" command=/bin/mkdir -p "$(dirname "$_destination")" ; then
_debug "Destination path $_destination created in the pot $_pname"
else
_error "Destination path $_destination NOT created because of an error"
if [ "$_to_be_umount" = "1" ]; then
_pot_umount "$_pname"
fi
return 1
fi
fi
fi
if ! _source_mountpoint="$( _make_temp_source "$_proot" )" ; then
_error "Failed to build a temporary folder in the pot /tmp"
if [ "$_to_be_umount" = "1" ]; then
_pot_umount "$_pname"
fi
return 1
fi
if ! _mount_source_into_potroot "$_source" "$_source_mountpoint" ; then
if [ "$_to_be_umount" = "1" ]; then
_pot_umount "$_pname"
fi
return 1
fi
if [ -f "$_source" ]; then
_cp_source="/tmp/$( basename "$_source_mountpoint" )/$( basename "$_source" )"
else
_cp_source="/tmp/$( basename "$_source_mountpoint" )"
fi
if _is_pot_running "$_pname" ; then
if jexec "$_pname" /bin/cp "$_cp_opt" "$_cp_source" "$_destination" ; then
_debug "Source $_source copied in the pot $_pname"
_rc=0
else
_error "Source $_source NOT copied because of an error"
_rc=1
fi
else
if jail -c path="$_proot" command=/bin/cp "$_cp_opt" "$_cp_source" "$_destination" ; then
_debug "Source $_source copied in the pot $_pname"
_rc=0
else
_error "Source $_source NOT copied because of an error"
_rc=1
fi
fi
if ! umount -f "$_source_mountpoint" ; then
_error "Failed to unmount the source tmp folder from the pot"
_rc=1
fi
if [ "$_to_be_umount" = "1" ]; then
_pot_umount "$_pname"
else
rmdir "$_source_mountpoint"
fi
return $_rc
}
|
class DatabaseConnectionManager:
def __init__(self, db_driver, db_name):
self.db_driver = db_driver
self.db_name = db_name
def connect(self):
if self.db_driver in ['sqlite3', 'mysql', 'postgresql']:
print(f"Connected to database '{self.db_name}' using driver '{self.db_driver}'")
else:
print(f"Unsupported database driver: {self.db_driver}")
# Test the implementation
DB_DRIVER = 'sqlite3'
DB_NAME = ':memory:'
db_manager = DatabaseConnectionManager(DB_DRIVER, DB_NAME)
db_manager.connect() |
<reponame>3rdIteration/multibit-hd
package org.multibit.hd.ui.services;
import com.google.common.base.Charsets;
import com.google.common.io.CharStreams;
import org.bitcoinj.params.MainNetParams;
import org.bitcoinj.uri.BitcoinURI;
import org.junit.After;
import org.junit.Before;
import org.junit.Test;
import org.multibit.hd.core.config.Configurations;
import org.multibit.hd.core.events.CoreEvents;
import org.multibit.hd.core.events.ShutdownEvent;
import org.multibit.hd.core.managers.InstallationManager;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import java.io.File;
import java.io.InputStreamReader;
import java.net.BindException;
import java.net.InetAddress;
import java.net.ServerSocket;
import java.net.Socket;
import java.nio.file.Paths;
import java.util.List;
import static junit.framework.TestCase.fail;
import static org.fest.assertions.Assertions.assertThat;
public class ExternalDataListeningServiceTest {
private static final Logger log = LoggerFactory.getLogger(ExternalDataListeningServiceTest.class);
private static final String PAYMENT_REQUEST_BIP21_MINIMUM = "bitcoin:1AhN6rPdrMuKBGFDKR1k9A8SCLYaNgXhty";
private static final String PAYMENT_REQUEST_BIP21 = "bitcoin:1AhN6rPdrMuKBGFDKR1k9A8SCLYaNgXhty?" +
"amount=0.01&" +
"label=Please%20donate%20to%20multibit.org";
/**
* Bitcoin URI containing BIP72 Payment Protocol URI extensions
*/
private static final String PAYMENT_REQUEST_BIP72_URL_MULTIPLE = "bitcoin:1AhN6rPdrMuKBGFDKR1k9A8SCLYaNgXhty?" +
"r=https://localhost:8443/abc123&" +
"r1=https://localhost:8443/def456&" +
"r2=https://localhost:8443/ghi789&" +
"amount=1";
private static final String PAYMENT_REQUEST_BIP72_URL_SINGLE = "bitcoin:1AhN6rPdrMuKBGFDKR1k9A8SCLYaNgXhty?" +
"r=https://localhost:8443/abc123&" +
"amount=1";
/**
* Windows format relative file path (based on mbhd-swing for Maven - IDE's will need adjustment)
*/
private static final String PAYMENT_REQUEST_BIP72_FILE_WINDOWS_SINGLE = "src\\test\\resources\\fixtures\\payments\\localhost-signed.bitcoinpaymentrequest";
/**
* Java format relative file path (based on mbhd-swing for Maven - IDE's will need adjustment)
*/
private static final String PAYMENT_REQUEST_BIP72_FILE_JAVA_SINGLE = "src/test/resources/fixtures/payments/localhost-signed.bitcoinpaymentrequest";
private ServerSocket serverSocket = null;
private ExternalDataListeningService testObject;
@Before
public void setUp() throws Exception {
// Ensure the shutdown event doesn't overwrite existing configuration
InstallationManager.unrestricted = true;
// Create the default configuration
Configurations.currentConfiguration = Configurations.newDefaultConfiguration();
}
@After
public void tearDown() throws Exception {
if (serverSocket != null) {
serverSocket.close();
}
ExternalDataListeningService.alertModelQueue.clear();
}
@Test
public void testParse_BIP21() throws Exception {
// Arrange
String[] args = new String[]{
PAYMENT_REQUEST_BIP21
};
// Act
testObject = new ExternalDataListeningService(args);
// Assert
assertThat(testObject.getAlertModelQueue().size()).isEqualTo(1);
String label = testObject.getAlertModelQueue().poll().getLocalisedMessage();
if (label == null) {
fail();
}
assertThat(label).isEqualTo("Payment \"Please donate to multibit.org\" (1AhN6rPdrMuKBGFDKR1k9A8SCLYaNgXhty) for \"mB 10.00000\". Continue ?");
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
@Test
public void testParse_BIP21_Minimum() throws Exception {
// Arrange
String[] args = new String[]{
PAYMENT_REQUEST_BIP21_MINIMUM
};
// Act
testObject = new ExternalDataListeningService(args);
// Assert
assertThat(testObject.getAlertModelQueue().size()).isEqualTo(1);
String label = testObject.getAlertModelQueue().poll().getLocalisedMessage();
if (label == null) {
fail();
}
assertThat(label).isEqualTo("Payment \"n/a\" (1AhN6rPdrMuKBGFDKR1k9A8SCLYaNgXhty) for \"n/a\". Continue ?");
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
@Test
public void testParse_BIP72_File_Windows_Single_Untrusted() throws Exception {
// Arrange
// Check for Maven or IDE execution environment
File single = Paths.get(PAYMENT_REQUEST_BIP72_FILE_JAVA_SINGLE).toFile();
final String[] args;
if (single.exists()) {
log.info("Resolved test fixture as: '{}'. Verified Maven build.", single.getAbsolutePath());
args = new String[]{
// Provide the Windows fixture to test handling
PAYMENT_REQUEST_BIP72_FILE_WINDOWS_SINGLE
};
} else {
log.info("Resolved Windows fixture as: '{}' but does not exist. Assuming an IDE build.", single.getAbsolutePath());
single = Paths.get("mbhd-swing/" + PAYMENT_REQUEST_BIP72_FILE_JAVA_SINGLE).toFile();
if (single.exists()) {
log.info("Resolved Windows fixture as: '{}'. Verified IDE build.", single.getAbsolutePath());
args = new String[]{
// Provide adjusted Windows fixture to test handling
"mbhd-swing\\" + PAYMENT_REQUEST_BIP72_FILE_WINDOWS_SINGLE
};
} else {
fail();
return;
}
}
// Act
testObject = new ExternalDataListeningService(args);
// Assert
assertThat(testObject.getAlertModelQueue().size()).isEqualTo(1);
String label = testObject.getAlertModelQueue().poll().getLocalisedMessage();
if (label == null) {
fail();
}
assertThat(label).isEqualTo("Untrusted payment request \"Please donate to MultiBit\" for \"mB 10.00000\". Continue ?");
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
@Test
public void testParse_BIP72_Single() throws Exception {
// Act
BitcoinURI bitcoinURI = new BitcoinURI(
MainNetParams.get(),
PAYMENT_REQUEST_BIP72_URL_SINGLE
);
// Assert
final List<String> paymentRequestUrls = bitcoinURI.getPaymentRequestUrls();
assertThat(paymentRequestUrls.size()).isEqualTo(1);
// The primary payment request URL is in its own field
assertThat(bitcoinURI.getPaymentRequestUrl()).isEqualTo("https://localhost:8443/abc123");
assertThat(paymentRequestUrls.get(0)).isEqualTo("https://localhost:8443/abc123");
}
@Test
public void testParse_BIP72_Multiple() throws Exception {
// Act
BitcoinURI bitcoinURI = new BitcoinURI(
MainNetParams.get(),
PAYMENT_REQUEST_BIP72_URL_MULTIPLE
);
// Assert
final List<String> paymentRequestUrls = bitcoinURI.getPaymentRequestUrls();
assertThat(paymentRequestUrls.size()).isEqualTo(3);
// The primary payment request URL is in its own field
assertThat(bitcoinURI.getPaymentRequestUrl()).isEqualTo("https://localhost:8443/abc123");
// Backup payment request URLs are in reverse order
assertThat(paymentRequestUrls.get(0)).isEqualTo("https://localhost:8443/ghi789");
assertThat(paymentRequestUrls.get(1)).isEqualTo("https://localhost:8443/def456");
assertThat(paymentRequestUrls.get(2)).isEqualTo("https://localhost:8443/abc123");
}
@Test
public void testNotify_BIP21() throws Exception {
// Arrange to grab the server socket first
serverSocket = new ServerSocket(
ExternalDataListeningService.MULTIBIT_HD_NETWORK_SOCKET,
10,
InetAddress.getLoopbackAddress()
);
String[] args = new String[]{
PAYMENT_REQUEST_BIP21
};
testObject = new ExternalDataListeningService(args);
testObject.start();
Socket client = serverSocket.accept();
String text;
try (InputStreamReader reader = new InputStreamReader(client.getInputStream(), Charsets.UTF_8)) {
text = CharStreams.toString(reader);
}
client.close();
// Act
String expectedMessage = ExternalDataListeningService.MESSAGE_START + PAYMENT_REQUEST_BIP21 + ExternalDataListeningService.MESSAGE_END;
// Assert
assertThat(text).isEqualTo(expectedMessage);
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
@Test
public void testNotify_BIP21_Minimum() throws Exception {
// Arrange to grab the server socket first
try {
serverSocket = new ServerSocket(
ExternalDataListeningService.MULTIBIT_HD_NETWORK_SOCKET,
10,
InetAddress.getLoopbackAddress()
);
} catch (BindException e) {
fail("Address already in use - is another version of MultiBit HD already running?");
}
String[] args = new String[]{
PAYMENT_REQUEST_BIP21_MINIMUM
};
testObject = new ExternalDataListeningService(args);
testObject.start();
Socket client = serverSocket.accept();
String text;
try (InputStreamReader reader = new InputStreamReader(client.getInputStream(), Charsets.UTF_8)) {
text = CharStreams.toString(reader);
}
client.close();
// Act
String expectedMessage = ExternalDataListeningService.MESSAGE_START + PAYMENT_REQUEST_BIP21_MINIMUM + ExternalDataListeningService.MESSAGE_END;
// Assert
assertThat(text).isEqualTo(expectedMessage);
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
@Test
public void testNotify_BIP72_Single() throws Exception {
// Arrange to grab the server socket first
serverSocket = new ServerSocket(
ExternalDataListeningService.MULTIBIT_HD_NETWORK_SOCKET,
10,
InetAddress.getLoopbackAddress()
);
String[] args = new String[]{
PAYMENT_REQUEST_BIP72_URL_SINGLE
};
testObject = new ExternalDataListeningService(args);
testObject.start();
Socket client = serverSocket.accept();
String text;
try (InputStreamReader reader = new InputStreamReader(client.getInputStream(), Charsets.UTF_8)) {
text = CharStreams.toString(reader);
}
client.close();
// Act
String expectedMessage = ExternalDataListeningService.MESSAGE_START + PAYMENT_REQUEST_BIP72_URL_SINGLE + ExternalDataListeningService.MESSAGE_END;
// Assert
assertThat(text).isEqualTo(expectedMessage);
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
@Test
public void testNotify_BIP72_Multiple() throws Exception {
// Arrange to grab the server socket first
serverSocket = new ServerSocket(
ExternalDataListeningService.MULTIBIT_HD_NETWORK_SOCKET,
10,
InetAddress.getLoopbackAddress()
);
String[] args = new String[]{
PAYMENT_REQUEST_BIP72_URL_MULTIPLE
};
testObject = new ExternalDataListeningService(args);
testObject.start();
Socket client = serverSocket.accept();
String text;
try (InputStreamReader reader = new InputStreamReader(client.getInputStream(), Charsets.UTF_8)) {
text = CharStreams.toString(reader);
}
client.close();
// Act
String expectedMessage = ExternalDataListeningService.MESSAGE_START + PAYMENT_REQUEST_BIP72_URL_MULTIPLE + ExternalDataListeningService.MESSAGE_END;
// Assert
assertThat(text).isEqualTo(expectedMessage);
// Don't crash the JVM
CoreEvents.fireShutdownEvent(ShutdownEvent.ShutdownType.SOFT);
assertThat(testObject.getServerSocket().isPresent()).isFalse();
}
}
|
ALTER TABLE employees
ADD COLUMN age int DEFAULT 0; |
#!/bin/bash
OUTPUT_FILE="@OUTPUT_FILE@"
DAIKON_JAR="@DAIKON_JAR@"
PATTERN="@PATTERN@"
function fix_string() {
local arr=$1
for i in "${!arr[@]}"; do
if [[ ${arr[$i]} == *\ * ]]; then
arr[$i]="\"${arr[$i]}\""
fi
done
}
PRE=()
POST=()
if [ "$1" == '-version' ]; then
java $@
exit $?
fi
ISPOST=true
LAST=""
for var in "$@"
do
if [ $ISPOST = true ]; then
if [ ${var:0:1} != '-' ]; then
if [ "$LAST" != "-cp" ]; then
ISPOST=false
POST+=("$var")
LAST="$var"
continue
else
PRE+=("${DAIKON_JAR}:"$var"")
# PRE+=("$var")
LAST="$var"
continue
fi
fi
PRE+=("$var")
LAST="$var"
else
POST+=("$var")
fi
done
fix_string PRE
fix_string POST
echo "PRE: "${PRE[@]}""
echo "POST: "${POST[@]}""
#echo "Effective command: java "${PRE[@]}" daikon.Chicory --premain=$DAIKONDIR/daikon.jar --daikon-online --daikon-args="--no_text_output -o test.inv.gz" --ppt-select-pattern="^com\.example\.getty\." "${POST[@]}""
java "${PRE[@]}" daikon.Chicory --daikon-online --daikon-args="--no_text_output -o ${OUTPUT_FILE}" --ppt-select-pattern="${PATTERN}" "${POST[@]}"
#/usr/lib/jvm/java-8-oracle/bin/java "${PRE[@]}" daikon.Chicory --daikon-online --daikon-args="--no_text_output -o ${OUTPUT_FILE}" --ppt-select-pattern="${PATTERN}" "${POST[@]}"
#/usr/lib/jvm/java-8-oracle/bin/java "${PRE[@]}" daikon.Chicory --debug --daikon-online --daikon-args="--no_text_output -o test.inv.gz" --ppt-select-pattern="^com\.example\.getty\." "${POST[@]}"
#java "${PRE[@]}" daikon.Chicory --premain="$DAIKONDIR/daikon.jar" --debug --daikon --daikon-args="--no_text_output -o test.inv.gz" --ppt-select-pattern="^com\.example\.getty\." "${POST[@]}"
exit $?
|
SELECT * FROM table_name
WHERE Dates BETWEEN '01/01/2020' AND '12/31/2021'; |
from ..dlad import mark_sensitive
from ...utils import create_tree
import pytest
dl = pytest.importorskip('datalad.api')
def test_mark_sensitive(tmpdir):
ds = dl.Dataset(str(tmpdir)).create(force=True)
create_tree(
str(tmpdir),
{
'f1': 'd1',
'f2': 'd2',
'g1': 'd3',
'g2': 'd1',
}
)
ds.add('.')
mark_sensitive(ds, 'f*')
all_meta = dict(ds.repo.get_metadata('.'))
target_rec = {'distribution-restrictions': ['sensitive']}
# g2 since the same content
assert not all_meta.pop('g1', None) # nothing or empty record
assert all_meta == {'f1': target_rec, 'f2': target_rec, 'g2': target_rec}
|
#!/bin/bash
set -ex
source ${SCRIPTS_PATH}/functions
IN=$(cat)
echo "stdin: $IN"
snapshot_id=$(echo $IN |jq -r .id)
cmd="ibmcloud login -a $IBMCLOUD_API_ENDPOINT -r $REGION -g $RESOURCE_GROUP_ID -q"
retry 5 10 $cmd
output=$(ibmcloud is snapshot-delete $snapshot_id --force --output JSON)
echo $output
|
#!/usr/bin/env bash
if [ $# -lt 1 ];then
echo "Usage:\n ./smore.sh model_name -train training_dataset -save embedding [model_options]"
echo "Example:\n ./smore.sh hpe -train net.txt -save rep.txt"
exit 1
fi
args=( "$@" )
for ((i=0; i < $#; i++)) ;do
next_arg=$((i+1))
if [ "${args[$i]}" == "-train" ] || [ "${args[$i]}" == "-save" ]; then
args[${next_arg}]="data/"${args[${next_arg}]}
fi
done
set "${args[@]}"
exec "./cli/$@" |
def cost(x):
return (x-5)**2
def gradient_descent(x, learning_rate=0.01, num_iters=100):
for i in range(num_iters):
x = x - learning_rate*2*(x-5)
return x |
#!/bin/bash -e
# used pip packages
pip_packages="nose numpy>=1.17 opencv-python pillow librosa scipy nvidia-ml-py==11.450.51"
target_dir=./dali/test/python
# test_body definition is in separate file so it can be used without setup
source test_body.sh
# populate epilog and prolog with variants to enable/disable conda
# every test will be executed for bellow configs
prolog=(enable_conda)
epilog=(disable_conda)
test_body() {
test_no_fw
}
pushd ../..
source ./qa/test_template.sh
popd
|
<filename>MathStats/sample.h
/*
* Accumulator.h
*
* Created on: 10.01.2017
* Author: goldim
*/
#pragma once
//local
#include "range.h"
//boost
#include <boost/accumulators/accumulators.hpp>
#include <boost/accumulators/statistics.hpp>
namespace stats
{
using values_t = std::vector<double>;
class SampleBase
{
public:
SampleBase() = default;
inline values_t getElements() const { return _elements; }
inline long long getCount() const { return _n; }
inline void setName(const std::string &name) { _name = name; }
inline std::string getName() { return _name; }
protected:
values_t _elements;
long long _n = 0;
std::string _name;
};
class Sample : public SampleBase
{
public:
Sample() = default;
Sample(const std::initializer_list<double> &elements);
void add(double value);
Range buildRange();
void refresh();
Sample sqr();
inline double getMean() const { return _mean; }
inline double getVariance() const { return _variance; }
inline double getKurtosis() const { return _kurtosis; }
inline double getSkewness() const { return _skewness; }
inline double getVariation() const { return _variation; }
inline double getDeviation() const { return _deviation; }
Sample operator+(const Sample &sample);
Sample operator*(const Sample &sample);
private:
double _mean = 0.0;
double _variance = 0.0;
double _deviation = 0.0;
double _kurtosis = 0.0;
double _skewness = 0.0;
double _variation = 0.0;
boost::accumulators::accumulator_set<double, boost::accumulators::features<
boost::accumulators::tag::count,
boost::accumulators::tag::mean,//среднее арифметическое
boost::accumulators::tag::variance,//дисперсия
boost::accumulators::tag::kurtosis,//экцесс
boost::accumulators::tag::skewness>>//ассиметрия
_acc;
};
class PerfomanceSample : public SampleBase
{
public:
PerfomanceSample() = default;
void add(double successful, double all);
inline double getPerfomance() const { return _perfomance; }
private:
double _perfomance = 0.0;
double _successful = 0.0;
double _all = 0.0;
values_t _successfulElements;
values_t _allElements;
};
using Samples = std::vector<Sample>;
}
|
<reponame>ugurmeet/presto<filename>presto-main/src/test/java/com/facebook/presto/execution/TestTaskWithConnectorTypeSerde.java
/*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.facebook.presto.execution;
import com.facebook.drift.codec.ThriftCodec;
import com.facebook.drift.codec.ThriftCodecManager;
import com.facebook.drift.codec.internal.compiler.CompilerThriftCodecFactory;
import com.facebook.drift.codec.internal.reflection.ReflectionThriftCodecFactory;
import com.facebook.drift.protocol.TBinaryProtocol;
import com.facebook.drift.protocol.TMemoryBuffer;
import com.facebook.drift.protocol.TProtocol;
import com.facebook.drift.protocol.TTransport;
import com.facebook.drift.transport.netty.codec.Protocol;
import com.facebook.presto.metadata.HandleResolver;
import com.facebook.presto.server.ConnectorMetadataUpdateHandleJsonSerde;
import com.facebook.presto.server.thrift.Any;
import com.facebook.presto.spi.ConnectorMetadataUpdateHandle;
import com.facebook.presto.spi.ConnectorTypeSerde;
import com.facebook.presto.testing.TestingHandleResolver;
import com.facebook.presto.testing.TestingMetadataUpdateHandle;
import org.testng.annotations.BeforeMethod;
import org.testng.annotations.DataProvider;
import org.testng.annotations.Test;
import java.util.function.Function;
import static org.testng.Assert.assertEquals;
@Test(singleThreaded = true)
public class TestTaskWithConnectorTypeSerde
{
private static final ThriftCodecManager COMPILER_CODEC_MANAGER = new ThriftCodecManager(new CompilerThriftCodecFactory(false));
private static final ThriftCodecManager REFLECTION_CODEC_MANAGER = new ThriftCodecManager(new ReflectionThriftCodecFactory());
private static final TMemoryBuffer transport = new TMemoryBuffer(100 * 1024);
private static HandleResolver handleResolver;
private ConnectorMetadataUpdateHandleJsonSerde connectorMetadataUpdateHandleJsonSerde;
@BeforeMethod
public void setUp()
{
handleResolver = getHandleResolver();
connectorMetadataUpdateHandleJsonSerde = new ConnectorMetadataUpdateHandleJsonSerde();
}
@DataProvider
public Object[][] codecCombinations()
{
return new Object[][] {
{COMPILER_CODEC_MANAGER, COMPILER_CODEC_MANAGER},
{COMPILER_CODEC_MANAGER, REFLECTION_CODEC_MANAGER},
{REFLECTION_CODEC_MANAGER, COMPILER_CODEC_MANAGER},
{REFLECTION_CODEC_MANAGER, REFLECTION_CODEC_MANAGER}
};
}
@Test(dataProvider = "codecCombinations")
public void testRoundTripSerializeBinaryProtocol(ThriftCodecManager readCodecManager, ThriftCodecManager writeCodecManager)
throws Exception
{
TaskWithConnectorType taskDummy = getRoundTripSerialize(readCodecManager, writeCodecManager, TBinaryProtocol::new);
assertSerde(taskDummy, readCodecManager);
}
@Test(dataProvider = "codecCombinations")
public void testRoundTripSerializeTCompactProtocol(ThriftCodecManager readCodecManager, ThriftCodecManager writeCodecManager)
throws Exception
{
TaskWithConnectorType taskDummy = getRoundTripSerialize(readCodecManager, writeCodecManager, TBinaryProtocol::new);
assertSerde(taskDummy, readCodecManager);
}
@Test(dataProvider = "codecCombinations")
public void testRoundTripSerializeTFacebookCompactProtocol(ThriftCodecManager readCodecManager, ThriftCodecManager writeCodecManager)
throws Exception
{
TaskWithConnectorType taskDummy = getRoundTripSerialize(readCodecManager, writeCodecManager, TBinaryProtocol::new);
assertSerde(taskDummy, readCodecManager);
}
@Test
public void testJsonSerdeRoundTrip()
{
TestingMetadataUpdateHandle metadataUpdateHandle = new TestingMetadataUpdateHandle(200);
byte[] serialized = connectorMetadataUpdateHandleJsonSerde.serialize(metadataUpdateHandle);
TestingMetadataUpdateHandle roundTripMetadataUpdateHandle = (TestingMetadataUpdateHandle) connectorMetadataUpdateHandleJsonSerde.deserialize(TestingMetadataUpdateHandle.class, serialized);
assertEquals(roundTripMetadataUpdateHandle.getValue(), metadataUpdateHandle.getValue());
}
private void assertSerde(TaskWithConnectorType taskWithConnectorType, ThriftCodecManager readCodecManager)
{
assertEquals(100, taskWithConnectorType.getValue());
Any connectorMetadataUpdateHandleAny = taskWithConnectorType.getConnectorMetadataUpdateHandleAny();
TestingMetadataUpdateHandle connectorMetadataUpdateHandle = (TestingMetadataUpdateHandle) getConnectorSerde(readCodecManager)
.deserialize(handleResolver.getMetadataUpdateHandleClass(connectorMetadataUpdateHandleAny.getId()),
connectorMetadataUpdateHandleAny.getBytes());
assertEquals(200, connectorMetadataUpdateHandle.getValue());
}
private TaskWithConnectorType getRoundTripSerialize(ThriftCodecManager readCodecManager, ThriftCodecManager writeCodecManager, Function<TTransport, TProtocol> protocolFactory)
throws Exception
{
TProtocol protocol = protocolFactory.apply(transport);
ThriftCodec<TaskWithConnectorType> writeCodec = writeCodecManager.getCodec(TaskWithConnectorType.class);
writeCodec.write(getTaskDummy(writeCodecManager), protocol);
ThriftCodec<TaskWithConnectorType> readCodec = readCodecManager.getCodec(TaskWithConnectorType.class);
return readCodec.read(protocol);
}
private TaskWithConnectorType getTaskDummy(ThriftCodecManager thriftCodecManager)
{
//Connector specific type
TestingMetadataUpdateHandle metadataUpdateHandle = new TestingMetadataUpdateHandle(200);
byte[] serialized = getConnectorSerde(thriftCodecManager).serialize(metadataUpdateHandle);
String id = handleResolver.getId(metadataUpdateHandle);
Any any = new Any(id, serialized);
return new TaskWithConnectorType(100, any);
}
private static ConnectorTypeSerde<ConnectorMetadataUpdateHandle> getConnectorSerde(ThriftCodecManager thriftCodecManager)
{
return new TestingMetadataUpdateHandleSerde(thriftCodecManager, Protocol.BINARY, 128);
}
private HandleResolver getHandleResolver()
{
HandleResolver handleResolver = new HandleResolver();
//Register Connector
handleResolver.addConnectorName("test", new TestingHandleResolver());
return handleResolver;
}
}
|
#!/usr/bin/env bash
set -eux
source /root/.bash_docker
pyenv global 3.7.12 #3.8.12 3.9.7 3.10.0
python -m pip install --upgrade pip
pip install tox
pip install -e .[test]
tox -e py37
|
#!/bin/bash
# Copyright OpenSearch Contributors.
# SPDX-License-Identifier: Apache-2.0
set -e
DIR="$(dirname "$0")"
"$DIR/run.sh" "$DIR/src/build.py" $@
|
<gh_stars>0
import React from "react"
import Layout from "../components/layout404"
import SEO from "../components/seo"
import "../styles/global.css"
const NotFoundPage = () => (
<>
<SEO title="404: Not found" keywords={["dusan tatransky, osobna znacka, digitalna strategia, online bodyguard, personal marketing"]} />
<Layout />
</>
)
export default NotFoundPage
|
<filename>src/main/java/io/github/rcarlosdasilva/weixin/model/response/comment/bean/Comment.java
package io.github.rcarlosdasilva.weixin.model.response.comment.bean;
import com.google.gson.annotations.SerializedName;
import io.github.rcarlosdasilva.weixin.common.Convention;
public class Comment {
@SerializedName("user_comment_id")
private String commentId;
@SerializedName("openid")
private String openId;
@SerializedName("create_time")
private long time;
private String content;
@SerializedName("comment_type")
private int star;
private Reply reply;
/**
* //用户评论id
*
* @return user_comment_id
*/
public String getCommentId() {
return commentId;
}
/**
* openid
*
* @return openid
*/
public String getOpenId() {
return openId;
}
/**
* 评论时间
*
* @return create_time
*/
public long getTime() {
return time;
}
/**
* 评论内容
*
* @return content
*/
public String getContent() {
return content;
}
/**
* 是否精选评论
*
* @return comment_type
*/
public boolean isStar() {
return star == Convention.GLOBAL_TRUE_NUMBER;
}
/**
* 回复
*
* @return reply
*/
public Reply getReply() {
return reply;
}
}
|
<filename>src/com/aerobit/simplemenu/client/GuiNewMainMenu.java
package com.aerobit.simplemenu.client;
import cpw.mods.fml.client.GuiModList;
import net.minecraft.client.gui.*;
import net.minecraft.client.renderer.Tessellator;
import net.minecraft.client.resources.I18n;
import net.minecraft.util.ResourceLocation;
import net.minecraftforge.common.ForgeVersion;
import org.lwjgl.opengl.GL11;
import java.awt.*;
import java.util.ArrayList;
public class GuiNewMainMenu extends GuiScreen {
ArrayList<GButton> buttons;
int startX, startY;
ResourceLocation backgroundImageLocation = new ResourceLocation("simplemenu:textures/gui/MainMenuBackground.png");
ResourceLocation brandingResourceLocation = new ResourceLocation("simplemenu:textures/gui/MainMenuBranding.png");
int brandingWidth = 105;
int brandingHeight = 19;
int backgroundImageWidth = 1920;
int backgroundImageHeight = 1080;
int buttonSpacing = 0;
int buttonHeight = 15;
boolean renderWorld = true;
public int closeTicks;
private String mcVersion = "1.6.2";
private float originalRotation = 0;
public GuiNewMainMenu() {
buttons = new ArrayList<GButton>();
}
public void initGui() {
startX = width - 125;
startY = height - 130;
buttons.clear();
if (renderWorld)
addButton("Quickload");
addButton(I18n.func_135053_a("menu.singleplayer"));
if (mc.func_110432_I() != null) // Get session
addButton(I18n.func_135053_a("menu.multiplayer"));
addButton("Mods");
addButton(I18n.func_135053_a("menu.options"));
addButton("Language");
addButton(I18n.func_135053_a("menu.quit"));
}
void loadMostRecentWorld() {
//World loading!
try {
WorldLoader wl = new WorldLoader(0);
if (!wl.canLoadWorld()) {
renderWorld = false;
} else {
wl.loadWorld();
}
} catch (Exception e) { //This occurs when you have 0 worlds/can't load a world
renderWorld = false;
}
}
void addButton(String text) {
int id = buttons.size();
buttons.add(new GButton(this, startX, startY + (buttonSpacing + buttonHeight) * id, 105, buttonHeight, text, id));
}
@Override
protected void keyTyped(char whatTheFuckDoesThisDo, int someRandomFuckingNumberThatDoesntMeanShit) {
return;
//stops ESC-ing into quickload (lol)
}
public void buttonAction(int buttonId) {
if (!renderWorld)
buttonId += 1; //This is so that quickload is removed if there's no world to quickload
switch (buttonId) {
case 0:
mc.displayGuiScreen(null);
mc.setIngameFocus();
GuiOverride.world = Integer.MIN_VALUE;
break;
case 1:
mc.displayGuiScreen(new GuiSelectWorld(this));
break;
case 2:
mc.displayGuiScreen(new GuiMultiplayer(this));
break;
case 3:
mc.displayGuiScreen(new GuiModList(this));
break;
case 4:
mc.displayGuiScreen(new GuiOptions(this, this.mc.gameSettings));
break;
case 5:
mc.displayGuiScreen(new GuiLanguage(this, this.mc.gameSettings, this.mc.func_135016_M()));
break;
case 6:
mc.shutdown();
break;
}
}
@Override
public void updateScreen() {
if (renderWorld && mc.thePlayer != null && !mc.thePlayer.isDead) {
GameOverlayRenderHandler.guiHidden = true;
mc.gameSettings.hideGUI = true;
mc.gameSettings.thirdPersonView = SimpleMenu.firstPersonEnabled ? 0 : 1; // 1 is thirdperson, 0 is firstperson
if (SimpleMenu.maintainRotationOnQuickload && originalRotation == 0)
originalRotation = mc.thePlayer.rotationYaw;
mc.thePlayer.rotationYaw += SimpleMenu.rotateRate;
mc.thePlayer.rotationPitch = 20.0F;
}
}
@Override
protected void mouseClicked(int mouseX, int mouseY, int whatDoWifVaar) {
for (GButton btn : buttons) {
btn.onMouseClick(mouseX, mouseY);
}
}
@Override
public void drawScreen(int mouseX, int mouseY, float partialTick) {
if (!renderWorld) {
drawDefaultBackground();
this.mc.renderEngine.func_110577_a(backgroundImageLocation);
GL11.glColor4f(1.0F, 1.0F, 1.0F, 1.0F);
int[] d = getPositions();
drawTexRect(d[0], d[1], d[2], d[3]);
}
this.mc.renderEngine.func_110577_a(brandingResourceLocation);
drawTexRect(startX, startY - brandingHeight, brandingWidth, brandingHeight);
for (GButton btn : buttons) {
btn.drawButton(mouseX, mouseY);
}
Gui.drawRect(0, height - 12, fontRenderer.getStringWidth("Minecraft " + mcVersion + "/Forge " + ForgeVersion.getVersion()) + 5, height, new Color(0, 0, 0, 150).getRGB());
fontRenderer.drawString("Minecraft " + mcVersion + "/Forge " + ForgeVersion.getVersion(), 2, height - 9, new Color(255, 255, 255, 255).getRGB());
}
@Override
public boolean doesGuiPauseGame() {
return closeTicks >= 30;
}
@Override
public void onGuiClosed() {
GameOverlayRenderHandler.shouldUnhideGui = true;
mc.gameSettings.thirdPersonView = 0;
mc.gameSettings.hideGUI = false;
closeTicks = 0;
if (SimpleMenu.maintainRotationOnQuickload && renderWorld) {
mc.thePlayer.rotationYaw = originalRotation;
originalRotation = 0F;
}
}
int[] getPositions() {
int[] dim = new int[4];
float ratio = (float) backgroundImageWidth / (float) backgroundImageHeight;
if ((float) width / (float) height < ratio) {
dim[2] = (int) (height * ratio);
dim[3] = height;
} else {
dim[2] = width;
dim[3] = (int) (width / ratio);
}
dim[0] = width / 2 - dim[2] / 2;
dim[1] = height / 2 - dim[3] / 2;
return dim;
}
public void drawTexRect(int x, int y, int width, int height) {
Tessellator tess = Tessellator.instance;
tess.startDrawingQuads();
tess.addVertexWithUV(x, y + height, 0, 0, 1);
tess.addVertexWithUV(x + width, y + height, 0, 1, 1);
tess.addVertexWithUV(x + width, y, 0, 1, 0);
tess.addVertexWithUV(x, y, 0, 0.0, 0);
tess.draw();
}
}
|
package com.rbiedrawa.kafka.app.transactions.serdes;
import org.springframework.boot.autoconfigure.kafka.KafkaProperties;
import org.springframework.stereotype.Component;
import com.google.protobuf.Message;
import io.confluent.kafka.streams.serdes.protobuf.KafkaProtobufSerde;
import lombok.AllArgsConstructor;
import lombok.extern.slf4j.Slf4j;
@Slf4j
@Component
@AllArgsConstructor
public class DefaultSerdeFactory implements SerdeFactory {
private final KafkaProperties kafkaProperties;
@Override
public <T extends Message> KafkaProtobufSerde<T> of(Class<T> clazz) {
var serde = new KafkaProtobufSerde<>(clazz);
serde.configure(kafkaProperties.getProperties(), false);
log.info("Created KafkaProtobufSerde bean of type {}", clazz);
return serde;
}
} |
<reponame>oueya1479/OpenOLAT
/**
* <a href="http://www.openolat.org">
* OpenOLAT - Online Learning and Training</a><br>
* <p>
* Licensed under the Apache License, Version 2.0 (the "License"); <br>
* you may not use this file except in compliance with the License.<br>
* You may obtain a copy of the License at the
* <a href="http://www.apache.org/licenses/LICENSE-2.0">Apache homepage</a>
* <p>
* Unless required by applicable law or agreed to in writing,<br>
* software distributed under the License is distributed on an "AS IS" BASIS, <br>
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. <br>
* See the License for the specific language governing permissions and <br>
* limitations under the License.
* <p>
* Initial code contributed and copyrighted by<br>
* frentix GmbH, http://www.frentix.com
* <p>
*/
package org.olat.selenium.page.qti;
import org.olat.selenium.page.graphene.OOGraphene;
import org.openqa.selenium.By;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.WebElement;
/**
*
* Initial date: 03 may 2017<br>
* @author srosse, <EMAIL>, http://www.frentix.com
*
*/
public class QTI21MultipleChoiceEditorPage extends QTI21AssessmentItemEditorPage {
public QTI21MultipleChoiceEditorPage(WebDriver browser) {
super(browser);
}
/**
* Add a new choice.
*
* @return Itself
*/
public QTI21MultipleChoiceEditorPage addChoice(int position) {
By addBy = By.xpath("//div[contains(@class,'o_sel_add_choice_" + position + "')]/a");
OOGraphene.moveAndClick(addBy, browser);
//wait the next element
By addedBy = By.xpath("//div[contains(@class,'o_sel_add_choice_" + (position + 1) + "')]/a");
OOGraphene.waitElement(addedBy, browser);
return this;
}
public QTI21MultipleChoiceEditorPage setCorrect(int position) {
By correctCheckBy = By.xpath("//div[contains(@class,'o_sel_choice_" + position + "')]//input[contains(@id,'oo_correct-')]");
WebElement correctCheckEl = browser.findElement(correctCheckBy);
OOGraphene.check(correctCheckEl, true);
return this;
}
public QTI21MultipleChoiceEditorPage setAnswer(int position, String answer) {
By oneLineInputBy = By.cssSelector("div.o_sel_choice_" + position + " input[type='text']");
OOGraphene.waitElement(oneLineInputBy, browser);
WebElement oneLineInputEl = browser.findElement(oneLineInputBy);
oneLineInputEl.clear();
oneLineInputEl.sendKeys(answer);
//String containerCssSelector = "div.o_sel_choice_" + position;
//OOGraphene.tinymce(answer, containerCssSelector, browser);
return this;
}
public QTI21MultipleChoiceEditorPage save() {
By saveBy = By.cssSelector("fieldset.o_sel_choices_save button.btn.btn-primary");
OOGraphene.click(saveBy, browser);
OOGraphene.waitBusy(browser);
return this;
}
public QTI21ChoicesScoreEditorPage selectScores() {
selectTab(By.className("o_sel_assessment_item_options"));
return new QTI21ChoicesScoreEditorPage(browser);
}
public QTI21FeedbacksEditorPage selectFeedbacks() {
selectTab(By.className("o_sel_assessment_item_feedbacks"));
return new QTI21FeedbacksEditorPage(browser);
}
}
|
<reponame>balek91/todolist<gh_stars>10-100
/* 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.airbnb.android.react.lottie;
public final class R {
public static final class anim {
public static int abc_fade_in=0x7f040000;
public static int abc_fade_out=0x7f040001;
public static int abc_grow_fade_in_from_bottom=0x7f040002;
public static int abc_popup_enter=0x7f040003;
public static int abc_popup_exit=0x7f040004;
public static int abc_shrink_fade_out_from_bottom=0x7f040005;
public static int abc_slide_in_bottom=0x7f040006;
public static int abc_slide_in_top=0x7f040007;
public static int abc_slide_out_bottom=0x7f040008;
public static int abc_slide_out_top=0x7f040009;
public static int tooltip_enter=0x7f04000a;
public static int tooltip_exit=0x7f04000b;
}
public static final class attr {
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarDivider=0x7f010049;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarItemBackground=0x7f01004a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarPopupTheme=0x7f010043;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
<p>May be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>wrap_content</code></td><td>0</td><td></td></tr>
</table>
*/
public static int actionBarSize=0x7f010048;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarSplitStyle=0x7f010045;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarStyle=0x7f010044;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarTabBarStyle=0x7f01003f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarTabStyle=0x7f01003e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarTabTextStyle=0x7f010040;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarTheme=0x7f010046;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionBarWidgetTheme=0x7f010047;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionButtonStyle=0x7f010064;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionDropDownStyle=0x7f010060;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionLayout=0x7f0100ce;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionMenuTextAppearance=0x7f01004b;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int actionMenuTextColor=0x7f01004c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeBackground=0x7f01004f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeCloseButtonStyle=0x7f01004e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeCloseDrawable=0x7f010051;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeCopyDrawable=0x7f010053;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeCutDrawable=0x7f010052;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeFindDrawable=0x7f010057;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModePasteDrawable=0x7f010054;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModePopupWindowStyle=0x7f010059;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeSelectAllDrawable=0x7f010055;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeShareDrawable=0x7f010056;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeSplitBackground=0x7f010050;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeStyle=0x7f01004d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionModeWebSearchDrawable=0x7f010058;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionOverflowButtonStyle=0x7f010041;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int actionOverflowMenuStyle=0x7f010042;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int actionProviderClass=0x7f0100d0;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int actionViewClass=0x7f0100cf;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int activityChooserViewStyle=0x7f01006c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int alertDialogButtonGroupStyle=0x7f010091;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int alertDialogCenterButtons=0x7f010092;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int alertDialogStyle=0x7f010090;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int alertDialogTheme=0x7f010093;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int allowStacking=0x7f0100a9;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int alpha=0x7f0100aa;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>META</code></td><td>0x10000</td><td></td></tr>
<tr><td><code>CTRL</code></td><td>0x1000</td><td></td></tr>
<tr><td><code>ALT</code></td><td>0x02</td><td></td></tr>
<tr><td><code>SHIFT</code></td><td>0x1</td><td></td></tr>
<tr><td><code>SYM</code></td><td>0x4</td><td></td></tr>
<tr><td><code>FUNCTION</code></td><td>0x8</td><td></td></tr>
</table>
*/
public static int alphabeticModifiers=0x7f0100cb;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int arrowHeadLength=0x7f0100b1;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int arrowShaftLength=0x7f0100b2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int autoCompleteTextViewStyle=0x7f010098;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int autoSizeMaxTextSize=0x7f010032;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int autoSizeMinTextSize=0x7f010031;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int autoSizePresetSizes=0x7f010030;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int autoSizeStepGranularity=0x7f01002f;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>uniform</code></td><td>1</td><td></td></tr>
</table>
*/
public static int autoSizeTextType=0x7f01002e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int background=0x7f01000c;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int backgroundSplit=0x7f01000e;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int backgroundStacked=0x7f01000d;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int backgroundTint=0x7f010107;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
*/
public static int backgroundTintMode=0x7f010108;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int barLength=0x7f0100b3;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int borderlessButtonStyle=0x7f010069;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonBarButtonStyle=0x7f010066;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonBarNegativeButtonStyle=0x7f010096;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonBarNeutralButtonStyle=0x7f010097;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonBarPositiveButtonStyle=0x7f010095;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonBarStyle=0x7f010065;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
</table>
*/
public static int buttonGravity=0x7f0100fc;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonPanelSideLayout=0x7f010021;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonStyle=0x7f010099;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int buttonStyleSmall=0x7f01009a;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int buttonTint=0x7f0100ab;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
*/
public static int buttonTintMode=0x7f0100ac;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int checkboxStyle=0x7f01009b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int checkedTextViewStyle=0x7f01009c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int closeIcon=0x7f0100df;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int closeItemLayout=0x7f01001e;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int collapseContentDescription=0x7f0100fe;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int collapseIcon=0x7f0100fd;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int color=0x7f0100ad;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorAccent=0x7f010088;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorBackgroundFloating=0x7f01008f;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorButtonNormal=0x7f01008c;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorControlActivated=0x7f01008a;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorControlHighlight=0x7f01008b;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorControlNormal=0x7f010089;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int colorError=0x7f0100a8;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorPrimary=0x7f010086;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorPrimaryDark=0x7f010087;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int colorSwitchThumbNormal=0x7f01008d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int commitIcon=0x7f0100e4;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentDescription=0x7f0100d1;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetEnd=0x7f010017;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetEndWithActions=0x7f01001b;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetLeft=0x7f010018;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetRight=0x7f010019;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetStart=0x7f010016;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int contentInsetStartWithNavigation=0x7f01001a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int controlBackground=0x7f01008e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int customNavigationLayout=0x7f01000f;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int defaultQueryHint=0x7f0100de;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int dialogPreferredPadding=0x7f01005e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int dialogTheme=0x7f01005d;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>useLogo</code></td><td>0x1</td><td></td></tr>
<tr><td><code>showHome</code></td><td>0x2</td><td></td></tr>
<tr><td><code>homeAsUp</code></td><td>0x4</td><td></td></tr>
<tr><td><code>showTitle</code></td><td>0x8</td><td></td></tr>
<tr><td><code>showCustom</code></td><td>0x10</td><td></td></tr>
<tr><td><code>disableHome</code></td><td>0x20</td><td></td></tr>
</table>
*/
public static int displayOptions=0x7f010005;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int divider=0x7f01000b;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int dividerHorizontal=0x7f01006b;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int dividerPadding=0x7f0100c0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int dividerVertical=0x7f01006a;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int drawableSize=0x7f0100af;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int drawerArrowStyle=0x7f010000;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int dropDownListViewStyle=0x7f01007d;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int dropdownListPreferredItemHeight=0x7f010061;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int editTextBackground=0x7f010072;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int editTextColor=0x7f010071;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int editTextStyle=0x7f01009d;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int elevation=0x7f01001c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int expandActivityOverflowButtonDrawable=0x7f010020;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int font=0x7f0100bc;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int fontFamily=0x7f010033;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int fontProviderAuthority=0x7f0100b5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int fontProviderCerts=0x7f0100b8;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>blocking</code></td><td>0</td><td></td></tr>
<tr><td><code>async</code></td><td>1</td><td></td></tr>
</table>
*/
public static int fontProviderFetchStrategy=0x7f0100b9;
/** <p>May be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
<p>May be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>forever</code></td><td>-1</td><td></td></tr>
</table>
*/
public static int fontProviderFetchTimeout=0x7f0100ba;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int fontProviderPackage=0x7f0100b6;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int fontProviderQuery=0x7f0100b7;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>italic</code></td><td>1</td><td></td></tr>
</table>
*/
public static int fontStyle=0x7f0100bb;
/** <p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int fontWeight=0x7f0100bd;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int gapBetweenBars=0x7f0100b0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int goIcon=0x7f0100e0;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int height=0x7f010001;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int hideOnContentScroll=0x7f010015;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int homeAsUpIndicator=0x7f010063;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int homeLayout=0x7f010010;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int icon=0x7f010009;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int iconTint=0x7f0100d3;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int iconTintMode=0x7f0100d4;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int iconifiedByDefault=0x7f0100dc;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int imageButtonStyle=0x7f010073;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int indeterminateProgressStyle=0x7f010012;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int initialActivityCount=0x7f01001f;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int isLightTheme=0x7f010002;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int itemPadding=0x7f010014;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int layout=0x7f0100db;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listChoiceBackgroundIndicator=0x7f010085;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listDividerAlertDialog=0x7f01005f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listItemLayout=0x7f010025;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listLayout=0x7f010022;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listMenuViewStyle=0x7f0100a5;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int listPopupWindowStyle=0x7f01007e;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int listPreferredItemHeight=0x7f010078;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int listPreferredItemHeightLarge=0x7f01007a;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int listPreferredItemHeightSmall=0x7f010079;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int listPreferredItemPaddingLeft=0x7f01007b;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int listPreferredItemPaddingRight=0x7f01007c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int logo=0x7f01000a;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int logoDescription=0x7f010101;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_autoPlay=0x7f0100c3;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>weak</code></td><td>1</td><td></td></tr>
<tr><td><code>strong</code></td><td>2</td><td></td></tr>
</table>
*/
public static int lottie_cacheStrategy=0x7f0100c8;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_colorFilter=0x7f0100c9;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_enableMergePathsForKitKatAndAbove=0x7f0100c7;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_fileName=0x7f0100c1;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_imageAssetsFolder=0x7f0100c5;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_loop=0x7f0100c4;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_progress=0x7f0100c6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int lottie_rawRes=0x7f0100c2;
/** <p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int lottie_scale=0x7f0100ca;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int maxButtonHeight=0x7f0100fb;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int measureWithLargestChild=0x7f0100be;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int multiChoiceItemLayout=0x7f010023;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int navigationContentDescription=0x7f010100;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int navigationIcon=0x7f0100ff;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>listMode</code></td><td>1</td><td></td></tr>
<tr><td><code>tabMode</code></td><td>2</td><td></td></tr>
</table>
*/
public static int navigationMode=0x7f010004;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>META</code></td><td>0x10000</td><td></td></tr>
<tr><td><code>CTRL</code></td><td>0x1000</td><td></td></tr>
<tr><td><code>ALT</code></td><td>0x02</td><td></td></tr>
<tr><td><code>SHIFT</code></td><td>0x1</td><td></td></tr>
<tr><td><code>SYM</code></td><td>0x4</td><td></td></tr>
<tr><td><code>FUNCTION</code></td><td>0x8</td><td></td></tr>
</table>
*/
public static int numericModifiers=0x7f0100cc;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int overlapAnchor=0x7f0100d7;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int paddingBottomNoButtons=0x7f0100d9;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int paddingEnd=0x7f010105;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int paddingStart=0x7f010104;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int paddingTopNoTitle=0x7f0100da;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int panelBackground=0x7f010082;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int panelMenuListTheme=0x7f010084;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int panelMenuListWidth=0x7f010083;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int popupMenuStyle=0x7f01006f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int popupTheme=0x7f01001d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int popupWindowStyle=0x7f010070;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int preserveIconSpacing=0x7f0100d5;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int progressBarPadding=0x7f010013;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int progressBarStyle=0x7f010011;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int queryBackground=0x7f0100e6;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int queryHint=0x7f0100dd;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int radioButtonStyle=0x7f01009e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int ratingBarStyle=0x7f01009f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int ratingBarStyleIndicator=0x7f0100a0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int ratingBarStyleSmall=0x7f0100a1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int searchHintIcon=0x7f0100e2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int searchIcon=0x7f0100e1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int searchViewStyle=0x7f010077;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int seekBarStyle=0x7f0100a2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int selectableItemBackground=0x7f010067;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int selectableItemBackgroundBorderless=0x7f010068;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>never</code></td><td>0</td><td></td></tr>
<tr><td><code>ifRoom</code></td><td>1</td><td></td></tr>
<tr><td><code>always</code></td><td>2</td><td></td></tr>
<tr><td><code>withText</code></td><td>4</td><td></td></tr>
<tr><td><code>collapseActionView</code></td><td>8</td><td></td></tr>
</table>
*/
public static int showAsAction=0x7f0100cd;
/** <p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>beginning</code></td><td>1</td><td></td></tr>
<tr><td><code>middle</code></td><td>2</td><td></td></tr>
<tr><td><code>end</code></td><td>4</td><td></td></tr>
</table>
*/
public static int showDividers=0x7f0100bf;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int showText=0x7f0100f2;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int showTitle=0x7f010026;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int singleChoiceItemLayout=0x7f010024;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int spinBars=0x7f0100ae;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int spinnerDropDownItemStyle=0x7f010062;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int spinnerStyle=0x7f0100a3;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int splitTrack=0x7f0100f1;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int srcCompat=0x7f010027;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int state_above_anchor=0x7f0100d8;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int subMenuArrow=0x7f0100d6;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int submitBackground=0x7f0100e7;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int subtitle=0x7f010006;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int subtitleTextAppearance=0x7f0100f4;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int subtitleTextColor=0x7f010103;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int subtitleTextStyle=0x7f010008;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int suggestionRowLayout=0x7f0100e5;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int switchMinWidth=0x7f0100ef;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int switchPadding=0x7f0100f0;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int switchStyle=0x7f0100a4;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int switchTextAppearance=0x7f0100ee;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a boolean value, either "<code>true</code>" or "<code>false</code>".
*/
public static int textAllCaps=0x7f01002d;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceLargePopupMenu=0x7f01005a;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceListItem=0x7f01007f;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceListItemSecondary=0x7f010080;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceListItemSmall=0x7f010081;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearancePopupMenuHeader=0x7f01005c;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceSearchResultSubtitle=0x7f010075;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceSearchResultTitle=0x7f010074;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int textAppearanceSmallPopupMenu=0x7f01005b;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int textColorAlertDialogListItem=0x7f010094;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int textColorSearchUrl=0x7f010076;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int theme=0x7f010106;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int thickness=0x7f0100b4;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int thumbTextPadding=0x7f0100ed;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int thumbTint=0x7f0100e8;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int thumbTintMode=0x7f0100e9;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int tickMark=0x7f01002a;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int tickMarkTint=0x7f01002b;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int tickMarkTintMode=0x7f01002c;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int tint=0x7f010028;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
*/
public static int tintMode=0x7f010029;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int title=0x7f010003;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMargin=0x7f0100f5;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMarginBottom=0x7f0100f9;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMarginEnd=0x7f0100f7;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMarginStart=0x7f0100f6;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMarginTop=0x7f0100f8;
/** <p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleMargins=0x7f0100fa;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int titleTextAppearance=0x7f0100f3;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int titleTextColor=0x7f010102;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int titleTextStyle=0x7f010007;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int toolbarNavigationButtonStyle=0x7f01006e;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int toolbarStyle=0x7f01006d;
/** <p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
*/
public static int tooltipForegroundColor=0x7f0100a7;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int tooltipFrameBackground=0x7f0100a6;
/** <p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int tooltipText=0x7f0100d2;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int track=0x7f0100ea;
/** <p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int trackTint=0x7f0100eb;
/** <p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
*/
public static int trackTintMode=0x7f0100ec;
/** <p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
*/
public static int voiceIcon=0x7f0100e3;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowActionBar=0x7f010034;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowActionBarOverlay=0x7f010036;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowActionModeOverlay=0x7f010037;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowFixedHeightMajor=0x7f01003b;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowFixedHeightMinor=0x7f010039;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowFixedWidthMajor=0x7f010038;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowFixedWidthMinor=0x7f01003a;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowMinWidthMajor=0x7f01003c;
/** <p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowMinWidthMinor=0x7f01003d;
/** <p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
*/
public static int windowNoTitle=0x7f010035;
}
public static final class bool {
public static int abc_action_bar_embed_tabs=0x7f080000;
public static int abc_allow_stacked_button_bar=0x7f080001;
public static int abc_config_actionMenuItemAllCaps=0x7f080002;
public static int abc_config_closeDialogWhenTouchOutside=0x7f080003;
public static int abc_config_showMenuShortcutsWhenKeyboardPresent=0x7f080004;
}
public static final class color {
public static int abc_background_cache_hint_selector_material_dark=0x7f09003e;
public static int abc_background_cache_hint_selector_material_light=0x7f09003f;
public static int abc_btn_colored_borderless_text_material=0x7f090040;
public static int abc_btn_colored_text_material=0x7f090041;
public static int abc_color_highlight_material=0x7f090042;
public static int abc_hint_foreground_material_dark=0x7f090043;
public static int abc_hint_foreground_material_light=0x7f090044;
public static int abc_input_method_navigation_guard=0x7f090001;
public static int abc_primary_text_disable_only_material_dark=0x7f090045;
public static int abc_primary_text_disable_only_material_light=0x7f090046;
public static int abc_primary_text_material_dark=0x7f090047;
public static int abc_primary_text_material_light=0x7f090048;
public static int abc_search_url_text=0x7f090049;
public static int abc_search_url_text_normal=0x7f090002;
public static int abc_search_url_text_pressed=0x7f090003;
public static int abc_search_url_text_selected=0x7f090004;
public static int abc_secondary_text_material_dark=0x7f09004a;
public static int abc_secondary_text_material_light=0x7f09004b;
public static int abc_tint_btn_checkable=0x7f09004c;
public static int abc_tint_default=0x7f09004d;
public static int abc_tint_edittext=0x7f09004e;
public static int abc_tint_seek_thumb=0x7f09004f;
public static int abc_tint_spinner=0x7f090050;
public static int abc_tint_switch_track=0x7f090051;
public static int accent_material_dark=0x7f090005;
public static int accent_material_light=0x7f090006;
public static int background_floating_material_dark=0x7f090007;
public static int background_floating_material_light=0x7f090008;
public static int background_material_dark=0x7f090009;
public static int background_material_light=0x7f09000a;
public static int bright_foreground_disabled_material_dark=0x7f09000b;
public static int bright_foreground_disabled_material_light=0x7f09000c;
public static int bright_foreground_inverse_material_dark=0x7f09000d;
public static int bright_foreground_inverse_material_light=0x7f09000e;
public static int bright_foreground_material_dark=0x7f09000f;
public static int bright_foreground_material_light=0x7f090010;
public static int button_material_dark=0x7f090011;
public static int button_material_light=0x7f090012;
public static int dim_foreground_disabled_material_dark=0x7f090013;
public static int dim_foreground_disabled_material_light=0x7f090014;
public static int dim_foreground_material_dark=0x7f090015;
public static int dim_foreground_material_light=0x7f090016;
public static int error_color_material=0x7f090017;
public static int foreground_material_dark=0x7f090018;
public static int foreground_material_light=0x7f090019;
public static int highlighted_text_material_dark=0x7f09001a;
public static int highlighted_text_material_light=0x7f09001b;
public static int material_blue_grey_800=0x7f09001c;
public static int material_blue_grey_900=0x7f09001d;
public static int material_blue_grey_950=0x7f09001e;
public static int material_deep_teal_200=0x7f09001f;
public static int material_deep_teal_500=0x7f090020;
public static int material_grey_100=0x7f090021;
public static int material_grey_300=0x7f090022;
public static int material_grey_50=0x7f090023;
public static int material_grey_600=0x7f090024;
public static int material_grey_800=0x7f090025;
public static int material_grey_850=0x7f090026;
public static int material_grey_900=0x7f090027;
public static int notification_action_color_filter=0x7f090000;
public static int notification_icon_bg_color=0x7f090028;
public static int notification_material_background_media_default_color=0x7f090029;
public static int primary_dark_material_dark=0x7f09002a;
public static int primary_dark_material_light=0x7f09002b;
public static int primary_material_dark=0x7f09002c;
public static int primary_material_light=0x7f09002d;
public static int primary_text_default_material_dark=0x7f09002e;
public static int primary_text_default_material_light=0x7f09002f;
public static int primary_text_disabled_material_dark=0x7f090030;
public static int primary_text_disabled_material_light=0x7f090031;
public static int ripple_material_dark=0x7f090032;
public static int ripple_material_light=0x7f090033;
public static int secondary_text_default_material_dark=0x7f090034;
public static int secondary_text_default_material_light=0x7f090035;
public static int secondary_text_disabled_material_dark=0x7f090036;
public static int secondary_text_disabled_material_light=0x7f090037;
public static int switch_thumb_disabled_material_dark=0x7f090038;
public static int switch_thumb_disabled_material_light=0x7f090039;
public static int switch_thumb_material_dark=0x7f090052;
public static int switch_thumb_material_light=0x7f090053;
public static int switch_thumb_normal_material_dark=0x7f09003a;
public static int switch_thumb_normal_material_light=0x7f09003b;
public static int tooltip_background_dark=0x7f09003c;
public static int tooltip_background_light=0x7f09003d;
}
public static final class dimen {
public static int abc_action_bar_content_inset_material=0x7f06000c;
public static int abc_action_bar_content_inset_with_nav=0x7f06000d;
public static int abc_action_bar_default_height_material=0x7f060001;
public static int abc_action_bar_default_padding_end_material=0x7f06000e;
public static int abc_action_bar_default_padding_start_material=0x7f06000f;
public static int abc_action_bar_elevation_material=0x7f060015;
public static int abc_action_bar_icon_vertical_padding_material=0x7f060016;
public static int abc_action_bar_overflow_padding_end_material=0x7f060017;
public static int abc_action_bar_overflow_padding_start_material=0x7f060018;
public static int abc_action_bar_progress_bar_size=0x7f060002;
public static int abc_action_bar_stacked_max_height=0x7f060019;
public static int abc_action_bar_stacked_tab_max_width=0x7f06001a;
public static int abc_action_bar_subtitle_bottom_margin_material=0x7f06001b;
public static int abc_action_bar_subtitle_top_margin_material=0x7f06001c;
public static int abc_action_button_min_height_material=0x7f06001d;
public static int abc_action_button_min_width_material=0x7f06001e;
public static int abc_action_button_min_width_overflow_material=0x7f06001f;
public static int abc_alert_dialog_button_bar_height=0x7f060000;
public static int abc_button_inset_horizontal_material=0x7f060020;
public static int abc_button_inset_vertical_material=0x7f060021;
public static int abc_button_padding_horizontal_material=0x7f060022;
public static int abc_button_padding_vertical_material=0x7f060023;
public static int abc_cascading_menus_min_smallest_width=0x7f060024;
public static int abc_config_prefDialogWidth=0x7f060005;
public static int abc_control_corner_material=0x7f060025;
public static int abc_control_inset_material=0x7f060026;
public static int abc_control_padding_material=0x7f060027;
public static int abc_dialog_fixed_height_major=0x7f060006;
public static int abc_dialog_fixed_height_minor=0x7f060007;
public static int abc_dialog_fixed_width_major=0x7f060008;
public static int abc_dialog_fixed_width_minor=0x7f060009;
public static int abc_dialog_list_padding_bottom_no_buttons=0x7f060028;
public static int abc_dialog_list_padding_top_no_title=0x7f060029;
public static int abc_dialog_min_width_major=0x7f06000a;
public static int abc_dialog_min_width_minor=0x7f06000b;
public static int abc_dialog_padding_material=0x7f06002a;
public static int abc_dialog_padding_top_material=0x7f06002b;
public static int abc_dialog_title_divider_material=0x7f06002c;
public static int abc_disabled_alpha_material_dark=0x7f06002d;
public static int abc_disabled_alpha_material_light=0x7f06002e;
public static int abc_dropdownitem_icon_width=0x7f06002f;
public static int abc_dropdownitem_text_padding_left=0x7f060030;
public static int abc_dropdownitem_text_padding_right=0x7f060031;
public static int abc_edit_text_inset_bottom_material=0x7f060032;
public static int abc_edit_text_inset_horizontal_material=0x7f060033;
public static int abc_edit_text_inset_top_material=0x7f060034;
public static int abc_floating_window_z=0x7f060035;
public static int abc_list_item_padding_horizontal_material=0x7f060036;
public static int abc_panel_menu_list_width=0x7f060037;
public static int abc_progress_bar_height_material=0x7f060038;
public static int abc_search_view_preferred_height=0x7f060039;
public static int abc_search_view_preferred_width=0x7f06003a;
public static int abc_seekbar_track_background_height_material=0x7f06003b;
public static int abc_seekbar_track_progress_height_material=0x7f06003c;
public static int abc_select_dialog_padding_start_material=0x7f06003d;
public static int abc_switch_padding=0x7f060011;
public static int abc_text_size_body_1_material=0x7f06003e;
public static int abc_text_size_body_2_material=0x7f06003f;
public static int abc_text_size_button_material=0x7f060040;
public static int abc_text_size_caption_material=0x7f060041;
public static int abc_text_size_display_1_material=0x7f060042;
public static int abc_text_size_display_2_material=0x7f060043;
public static int abc_text_size_display_3_material=0x7f060044;
public static int abc_text_size_display_4_material=0x7f060045;
public static int abc_text_size_headline_material=0x7f060046;
public static int abc_text_size_large_material=0x7f060047;
public static int abc_text_size_medium_material=0x7f060048;
public static int abc_text_size_menu_header_material=0x7f060049;
public static int abc_text_size_menu_material=0x7f06004a;
public static int abc_text_size_small_material=0x7f06004b;
public static int abc_text_size_subhead_material=0x7f06004c;
public static int abc_text_size_subtitle_material_toolbar=0x7f060003;
public static int abc_text_size_title_material=0x7f06004d;
public static int abc_text_size_title_material_toolbar=0x7f060004;
public static int compat_button_inset_horizontal_material=0x7f06004e;
public static int compat_button_inset_vertical_material=0x7f06004f;
public static int compat_button_padding_horizontal_material=0x7f060050;
public static int compat_button_padding_vertical_material=0x7f060051;
public static int compat_control_corner_material=0x7f060052;
public static int disabled_alpha_material_dark=0x7f060053;
public static int disabled_alpha_material_light=0x7f060054;
public static int highlight_alpha_material_colored=0x7f060055;
public static int highlight_alpha_material_dark=0x7f060056;
public static int highlight_alpha_material_light=0x7f060057;
public static int hint_alpha_material_dark=0x7f060058;
public static int hint_alpha_material_light=0x7f060059;
public static int hint_pressed_alpha_material_dark=0x7f06005a;
public static int hint_pressed_alpha_material_light=0x7f06005b;
public static int notification_action_icon_size=0x7f06005c;
public static int notification_action_text_size=0x7f06005d;
public static int notification_big_circle_margin=0x7f06005e;
public static int notification_content_margin_start=0x7f060012;
public static int notification_large_icon_height=0x7f06005f;
public static int notification_large_icon_width=0x7f060060;
public static int notification_main_column_padding_top=0x7f060013;
public static int notification_media_narrow_margin=0x7f060014;
public static int notification_right_icon_size=0x7f060061;
public static int notification_right_side_padding_top=0x7f060010;
public static int notification_small_icon_background_padding=0x7f060062;
public static int notification_small_icon_size_as_large=0x7f060063;
public static int notification_subtext_size=0x7f060064;
public static int notification_top_pad=0x7f060065;
public static int notification_top_pad_large_text=0x7f060066;
public static int tooltip_corner_radius=0x7f060067;
public static int tooltip_horizontal_padding=0x7f060068;
public static int tooltip_margin=0x7f060069;
public static int tooltip_precise_anchor_extra_offset=0x7f06006a;
public static int tooltip_precise_anchor_threshold=0x7f06006b;
public static int tooltip_vertical_padding=0x7f06006c;
public static int tooltip_y_offset_non_touch=0x7f06006d;
public static int tooltip_y_offset_touch=0x7f06006e;
}
public static final class drawable {
public static int abc_ab_share_pack_mtrl_alpha=0x7f020000;
public static int abc_action_bar_item_background_material=0x7f020001;
public static int abc_btn_borderless_material=0x7f020002;
public static int abc_btn_check_material=0x7f020003;
public static int abc_btn_check_to_on_mtrl_000=0x7f020004;
public static int abc_btn_check_to_on_mtrl_015=0x7f020005;
public static int abc_btn_colored_material=0x7f020006;
public static int abc_btn_default_mtrl_shape=0x7f020007;
public static int abc_btn_radio_material=0x7f020008;
public static int abc_btn_radio_to_on_mtrl_000=0x7f020009;
public static int abc_btn_radio_to_on_mtrl_015=0x7f02000a;
public static int abc_btn_switch_to_on_mtrl_00001=0x7f02000b;
public static int abc_btn_switch_to_on_mtrl_00012=0x7f02000c;
public static int abc_cab_background_internal_bg=0x7f02000d;
public static int abc_cab_background_top_material=0x7f02000e;
public static int abc_cab_background_top_mtrl_alpha=0x7f02000f;
public static int abc_control_background_material=0x7f020010;
public static int abc_dialog_material_background=0x7f020011;
public static int abc_edit_text_material=0x7f020012;
public static int abc_ic_ab_back_material=0x7f020013;
public static int abc_ic_arrow_drop_right_black_24dp=0x7f020014;
public static int abc_ic_clear_material=0x7f020015;
public static int abc_ic_commit_search_api_mtrl_alpha=0x7f020016;
public static int abc_ic_go_search_api_material=0x7f020017;
public static int abc_ic_menu_copy_mtrl_am_alpha=0x7f020018;
public static int abc_ic_menu_cut_mtrl_alpha=0x7f020019;
public static int abc_ic_menu_overflow_material=0x7f02001a;
public static int abc_ic_menu_paste_mtrl_am_alpha=0x7f02001b;
public static int abc_ic_menu_selectall_mtrl_alpha=0x7f02001c;
public static int abc_ic_menu_share_mtrl_alpha=0x7f02001d;
public static int abc_ic_search_api_material=0x7f02001e;
public static int abc_ic_star_black_16dp=0x7f02001f;
public static int abc_ic_star_black_36dp=0x7f020020;
public static int abc_ic_star_black_48dp=0x7f020021;
public static int abc_ic_star_half_black_16dp=0x7f020022;
public static int abc_ic_star_half_black_36dp=0x7f020023;
public static int abc_ic_star_half_black_48dp=0x7f020024;
public static int abc_ic_voice_search_api_material=0x7f020025;
public static int abc_item_background_holo_dark=0x7f020026;
public static int abc_item_background_holo_light=0x7f020027;
public static int abc_list_divider_mtrl_alpha=0x7f020028;
public static int abc_list_focused_holo=0x7f020029;
public static int abc_list_longpressed_holo=0x7f02002a;
public static int abc_list_pressed_holo_dark=0x7f02002b;
public static int abc_list_pressed_holo_light=0x7f02002c;
public static int abc_list_selector_background_transition_holo_dark=0x7f02002d;
public static int abc_list_selector_background_transition_holo_light=0x7f02002e;
public static int abc_list_selector_disabled_holo_dark=0x7f02002f;
public static int abc_list_selector_disabled_holo_light=0x7f020030;
public static int abc_list_selector_holo_dark=0x7f020031;
public static int abc_list_selector_holo_light=0x7f020032;
public static int abc_menu_hardkey_panel_mtrl_mult=0x7f020033;
public static int abc_popup_background_mtrl_mult=0x7f020034;
public static int abc_ratingbar_indicator_material=0x7f020035;
public static int abc_ratingbar_material=0x7f020036;
public static int abc_ratingbar_small_material=0x7f020037;
public static int abc_scrubber_control_off_mtrl_alpha=0x7f020038;
public static int abc_scrubber_control_to_pressed_mtrl_000=0x7f020039;
public static int abc_scrubber_control_to_pressed_mtrl_005=0x7f02003a;
public static int abc_scrubber_primary_mtrl_alpha=0x7f02003b;
public static int abc_scrubber_track_mtrl_alpha=0x7f02003c;
public static int abc_seekbar_thumb_material=0x7f02003d;
public static int abc_seekbar_tick_mark_material=0x7f02003e;
public static int abc_seekbar_track_material=0x7f02003f;
public static int abc_spinner_mtrl_am_alpha=0x7f020040;
public static int abc_spinner_textfield_background_material=0x7f020041;
public static int abc_switch_thumb_material=0x7f020042;
public static int abc_switch_track_mtrl_alpha=0x7f020043;
public static int abc_tab_indicator_material=0x7f020044;
public static int abc_tab_indicator_mtrl_alpha=0x7f020045;
public static int abc_text_cursor_material=0x7f020046;
public static int abc_text_select_handle_left_mtrl_dark=0x7f020047;
public static int abc_text_select_handle_left_mtrl_light=0x7f020048;
public static int abc_text_select_handle_middle_mtrl_dark=0x7f020049;
public static int abc_text_select_handle_middle_mtrl_light=0x7f02004a;
public static int abc_text_select_handle_right_mtrl_dark=0x7f02004b;
public static int abc_text_select_handle_right_mtrl_light=0x7f02004c;
public static int abc_textfield_activated_mtrl_alpha=0x7f02004d;
public static int abc_textfield_default_mtrl_alpha=0x7f02004e;
public static int abc_textfield_search_activated_mtrl_alpha=0x7f02004f;
public static int abc_textfield_search_default_mtrl_alpha=0x7f020050;
public static int abc_textfield_search_material=0x7f020051;
public static int abc_vector_test=0x7f020052;
public static int notification_action_background=0x7f020053;
public static int notification_bg=0x7f020054;
public static int notification_bg_low=0x7f020055;
public static int notification_bg_low_normal=0x7f020056;
public static int notification_bg_low_pressed=0x7f020057;
public static int notification_bg_normal=0x7f020058;
public static int notification_bg_normal_pressed=0x7f020059;
public static int notification_icon_background=0x7f02005a;
public static int notification_template_icon_bg=0x7f02005f;
public static int notification_template_icon_low_bg=0x7f020060;
public static int notification_tile_bg=0x7f02005b;
public static int notify_panel_notification_icon_bg=0x7f02005c;
public static int tooltip_frame_dark=0x7f02005d;
public static int tooltip_frame_light=0x7f02005e;
}
public static final class id {
public static int ALT=0x7f0a002a;
public static int CTRL=0x7f0a002b;
public static int FUNCTION=0x7f0a002c;
public static int META=0x7f0a002d;
public static int SHIFT=0x7f0a002e;
public static int SYM=0x7f0a002f;
public static int action0=0x7f0a006b;
public static int action_bar=0x7f0a0059;
public static int action_bar_activity_content=0x7f0a0000;
public static int action_bar_container=0x7f0a0058;
public static int action_bar_root=0x7f0a0054;
public static int action_bar_spinner=0x7f0a0001;
public static int action_bar_subtitle=0x7f0a0038;
public static int action_bar_title=0x7f0a0037;
public static int action_container=0x7f0a0068;
public static int action_context_bar=0x7f0a005a;
public static int action_divider=0x7f0a006f;
public static int action_image=0x7f0a0069;
public static int action_menu_divider=0x7f0a0002;
public static int action_menu_presenter=0x7f0a0003;
public static int action_mode_bar=0x7f0a0056;
public static int action_mode_bar_stub=0x7f0a0055;
public static int action_mode_close_button=0x7f0a0039;
public static int action_text=0x7f0a006a;
public static int actions=0x7f0a0078;
public static int activity_chooser_view_content=0x7f0a003a;
public static int add=0x7f0a001e;
public static int alertTitle=0x7f0a004d;
public static int always=0x7f0a0030;
public static int async=0x7f0a0021;
public static int beginning=0x7f0a0025;
public static int blocking=0x7f0a0022;
public static int bottom=0x7f0a0035;
public static int buttonPanel=0x7f0a0040;
public static int cancel_action=0x7f0a006c;
public static int checkbox=0x7f0a0050;
public static int chronometer=0x7f0a0074;
public static int collapseActionView=0x7f0a0031;
public static int contentPanel=0x7f0a0043;
public static int custom=0x7f0a004a;
public static int customPanel=0x7f0a0049;
public static int decor_content_parent=0x7f0a0057;
public static int default_activity_button=0x7f0a003d;
public static int disableHome=0x7f0a0012;
public static int edit_query=0x7f0a005b;
public static int end=0x7f0a0026;
public static int end_padder=0x7f0a007a;
public static int expand_activities_button=0x7f0a003b;
public static int expanded_menu=0x7f0a004f;
public static int forever=0x7f0a0023;
public static int home=0x7f0a0004;
public static int homeAsUp=0x7f0a0013;
public static int icon=0x7f0a003f;
public static int icon_group=0x7f0a0079;
public static int ifRoom=0x7f0a0032;
public static int image=0x7f0a003c;
public static int info=0x7f0a0075;
public static int italic=0x7f0a0024;
public static int line1=0x7f0a0005;
public static int line3=0x7f0a0006;
public static int listMode=0x7f0a000f;
public static int list_item=0x7f0a003e;
public static int lottie_layer_name=0x7f0a0007;
public static int media_actions=0x7f0a006e;
public static int message=0x7f0a007b;
public static int middle=0x7f0a0027;
public static int multiply=0x7f0a0019;
public static int never=0x7f0a0033;
public static int none=0x7f0a0014;
public static int normal=0x7f0a0010;
public static int notification_background=0x7f0a0076;
public static int notification_main_column=0x7f0a0071;
public static int notification_main_column_container=0x7f0a0070;
public static int parentPanel=0x7f0a0042;
public static int progress_circular=0x7f0a0008;
public static int progress_horizontal=0x7f0a0009;
public static int radio=0x7f0a0052;
public static int right_icon=0x7f0a0077;
public static int right_side=0x7f0a0072;
public static int screen=0x7f0a001a;
public static int scrollIndicatorDown=0x7f0a0048;
public static int scrollIndicatorUp=0x7f0a0044;
public static int scrollView=0x7f0a0045;
public static int search_badge=0x7f0a005d;
public static int search_bar=0x7f0a005c;
public static int search_button=0x7f0a005e;
public static int search_close_btn=0x7f0a0063;
public static int search_edit_frame=0x7f0a005f;
public static int search_go_btn=0x7f0a0065;
public static int search_mag_icon=0x7f0a0060;
public static int search_plate=0x7f0a0061;
public static int search_src_text=0x7f0a0062;
public static int search_voice_btn=0x7f0a0066;
public static int select_dialog_listview=0x7f0a0067;
public static int shortcut=0x7f0a0051;
public static int showCustom=0x7f0a0015;
public static int showHome=0x7f0a0016;
public static int showTitle=0x7f0a0017;
public static int spacer=0x7f0a0041;
public static int split_action_bar=0x7f0a000a;
public static int src_atop=0x7f0a001b;
public static int src_in=0x7f0a001c;
public static int src_over=0x7f0a001d;
public static int status_bar_latest_event_content=0x7f0a006d;
public static int strong=0x7f0a0028;
public static int submenuarrow=0x7f0a0053;
public static int submit_area=0x7f0a0064;
public static int tabMode=0x7f0a0011;
public static int text=0x7f0a000b;
public static int text2=0x7f0a000c;
public static int textSpacerNoButtons=0x7f0a0047;
public static int textSpacerNoTitle=0x7f0a0046;
public static int time=0x7f0a0073;
public static int title=0x7f0a000d;
public static int titleDividerNoCustom=0x7f0a004e;
public static int title_template=0x7f0a004c;
public static int top=0x7f0a0036;
public static int topPanel=0x7f0a004b;
public static int uniform=0x7f0a001f;
public static int up=0x7f0a000e;
public static int useLogo=0x7f0a0018;
public static int weak=0x7f0a0029;
public static int withText=0x7f0a0034;
public static int wrap_content=0x7f0a0020;
}
public static final class integer {
public static int abc_config_activityDefaultDur=0x7f0b0000;
public static int abc_config_activityShortDur=0x7f0b0001;
public static int cancel_button_image_alpha=0x7f0b0002;
public static int config_tooltipAnimTime=0x7f0b0003;
public static int status_bar_notification_info_maxnum=0x7f0b0004;
}
public static final class layout {
public static int abc_action_bar_title_item=0x7f030000;
public static int abc_action_bar_up_container=0x7f030001;
public static int abc_action_bar_view_list_nav_layout=0x7f030002;
public static int abc_action_menu_item_layout=0x7f030003;
public static int abc_action_menu_layout=0x7f030004;
public static int abc_action_mode_bar=0x7f030005;
public static int abc_action_mode_close_item_material=0x7f030006;
public static int abc_activity_chooser_view=0x7f030007;
public static int abc_activity_chooser_view_list_item=0x7f030008;
public static int abc_alert_dialog_button_bar_material=0x7f030009;
public static int abc_alert_dialog_material=0x7f03000a;
public static int abc_alert_dialog_title_material=0x7f03000b;
public static int abc_dialog_title_material=0x7f03000c;
public static int abc_expanded_menu_layout=0x7f03000d;
public static int abc_list_menu_item_checkbox=0x7f03000e;
public static int abc_list_menu_item_icon=0x7f03000f;
public static int abc_list_menu_item_layout=0x7f030010;
public static int abc_list_menu_item_radio=0x7f030011;
public static int abc_popup_menu_header_item_layout=0x7f030012;
public static int abc_popup_menu_item_layout=0x7f030013;
public static int abc_screen_content_include=0x7f030014;
public static int abc_screen_simple=0x7f030015;
public static int abc_screen_simple_overlay_action_mode=0x7f030016;
public static int abc_screen_toolbar=0x7f030017;
public static int abc_search_dropdown_item_icons_2line=0x7f030018;
public static int abc_search_view=0x7f030019;
public static int abc_select_dialog_material=0x7f03001a;
public static int notification_action=0x7f03001b;
public static int notification_action_tombstone=0x7f03001c;
public static int notification_media_action=0x7f03001d;
public static int notification_media_cancel_action=0x7f03001e;
public static int notification_template_big_media=0x7f03001f;
public static int notification_template_big_media_custom=0x7f030020;
public static int notification_template_big_media_narrow=0x7f030021;
public static int notification_template_big_media_narrow_custom=0x7f030022;
public static int notification_template_custom_big=0x7f030023;
public static int notification_template_icon_group=0x7f030024;
public static int notification_template_lines_media=0x7f030025;
public static int notification_template_media=0x7f030026;
public static int notification_template_media_custom=0x7f030027;
public static int notification_template_part_chronometer=0x7f030028;
public static int notification_template_part_time=0x7f030029;
public static int select_dialog_item_material=0x7f03002a;
public static int select_dialog_multichoice_material=0x7f03002b;
public static int select_dialog_singlechoice_material=0x7f03002c;
public static int support_simple_spinner_dropdown_item=0x7f03002d;
public static int tooltip=0x7f03002e;
}
public static final class string {
public static int abc_action_bar_home_description=0x7f050000;
public static int abc_action_bar_home_description_format=0x7f050001;
public static int abc_action_bar_home_subtitle_description_format=0x7f050002;
public static int abc_action_bar_up_description=0x7f050003;
public static int abc_action_menu_overflow_description=0x7f050004;
public static int abc_action_mode_done=0x7f050005;
public static int abc_activity_chooser_view_see_all=0x7f050006;
public static int abc_activitychooserview_choose_application=0x7f050007;
public static int abc_capital_off=0x7f050008;
public static int abc_capital_on=0x7f050009;
public static int abc_font_family_body_1_material=0x7f050015;
public static int abc_font_family_body_2_material=0x7f050016;
public static int abc_font_family_button_material=0x7f050017;
public static int abc_font_family_caption_material=0x7f050018;
public static int abc_font_family_display_1_material=0x7f050019;
public static int abc_font_family_display_2_material=0x7f05001a;
public static int abc_font_family_display_3_material=0x7f05001b;
public static int abc_font_family_display_4_material=0x7f05001c;
public static int abc_font_family_headline_material=0x7f05001d;
public static int abc_font_family_menu_material=0x7f05001e;
public static int abc_font_family_subhead_material=0x7f05001f;
public static int abc_font_family_title_material=0x7f050020;
public static int abc_search_hint=0x7f05000a;
public static int abc_searchview_description_clear=0x7f05000b;
public static int abc_searchview_description_query=0x7f05000c;
public static int abc_searchview_description_search=0x7f05000d;
public static int abc_searchview_description_submit=0x7f05000e;
public static int abc_searchview_description_voice=0x7f05000f;
public static int abc_shareactionprovider_share_with=0x7f050010;
public static int abc_shareactionprovider_share_with_application=0x7f050011;
public static int abc_toolbar_collapse_description=0x7f050012;
public static int search_menu_title=0x7f050013;
public static int status_bar_notification_info_overflow=0x7f050014;
}
public static final class style {
public static int AlertDialog_AppCompat=0x7f0700a7;
public static int AlertDialog_AppCompat_Light=0x7f0700a8;
public static int Animation_AppCompat_Dialog=0x7f0700a9;
public static int Animation_AppCompat_DropDownUp=0x7f0700aa;
public static int Animation_AppCompat_Tooltip=0x7f0700ab;
public static int Base_AlertDialog_AppCompat=0x7f0700ac;
public static int Base_AlertDialog_AppCompat_Light=0x7f0700ad;
public static int Base_Animation_AppCompat_Dialog=0x7f0700ae;
public static int Base_Animation_AppCompat_DropDownUp=0x7f0700af;
public static int Base_Animation_AppCompat_Tooltip=0x7f0700b0;
public static int Base_DialogWindowTitle_AppCompat=0x7f0700b1;
public static int Base_DialogWindowTitleBackground_AppCompat=0x7f0700b2;
public static int Base_TextAppearance_AppCompat=0x7f070039;
public static int Base_TextAppearance_AppCompat_Body1=0x7f07003a;
public static int Base_TextAppearance_AppCompat_Body2=0x7f07003b;
public static int Base_TextAppearance_AppCompat_Button=0x7f070027;
public static int Base_TextAppearance_AppCompat_Caption=0x7f07003c;
public static int Base_TextAppearance_AppCompat_Display1=0x7f07003d;
public static int Base_TextAppearance_AppCompat_Display2=0x7f07003e;
public static int Base_TextAppearance_AppCompat_Display3=0x7f07003f;
public static int Base_TextAppearance_AppCompat_Display4=0x7f070040;
public static int Base_TextAppearance_AppCompat_Headline=0x7f070041;
public static int Base_TextAppearance_AppCompat_Inverse=0x7f07000b;
public static int Base_TextAppearance_AppCompat_Large=0x7f070042;
public static int Base_TextAppearance_AppCompat_Large_Inverse=0x7f07000c;
public static int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f070043;
public static int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f070044;
public static int Base_TextAppearance_AppCompat_Medium=0x7f070045;
public static int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f07000d;
public static int Base_TextAppearance_AppCompat_Menu=0x7f070046;
public static int Base_TextAppearance_AppCompat_SearchResult=0x7f0700b3;
public static int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f070047;
public static int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f070048;
public static int Base_TextAppearance_AppCompat_Small=0x7f070049;
public static int Base_TextAppearance_AppCompat_Small_Inverse=0x7f07000e;
public static int Base_TextAppearance_AppCompat_Subhead=0x7f07004a;
public static int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f07000f;
public static int Base_TextAppearance_AppCompat_Title=0x7f07004b;
public static int Base_TextAppearance_AppCompat_Title_Inverse=0x7f070010;
public static int Base_TextAppearance_AppCompat_Tooltip=0x7f0700b4;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f070098;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f07004c;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f07004d;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f07004e;
public static int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f07004f;
public static int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f070050;
public static int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f070051;
public static int Base_TextAppearance_AppCompat_Widget_Button=0x7f070052;
public static int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f07009f;
public static int Base_TextAppearance_AppCompat_Widget_Button_Colored=0x7f0700a0;
public static int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f070099;
public static int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f0700b5;
public static int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f070053;
public static int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f070054;
public static int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f070055;
public static int Base_TextAppearance_AppCompat_Widget_Switch=0x7f070056;
public static int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f070057;
public static int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0700b6;
public static int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f070058;
public static int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f070059;
public static int Base_Theme_AppCompat=0x7f07005a;
public static int Base_Theme_AppCompat_CompactMenu=0x7f0700b7;
public static int Base_Theme_AppCompat_Dialog=0x7f070011;
public static int Base_Theme_AppCompat_Dialog_Alert=0x7f070012;
public static int Base_Theme_AppCompat_Dialog_FixedSize=0x7f0700b8;
public static int Base_Theme_AppCompat_Dialog_MinWidth=0x7f070013;
public static int Base_Theme_AppCompat_DialogWhenLarge=0x7f070001;
public static int Base_Theme_AppCompat_Light=0x7f07005b;
public static int Base_Theme_AppCompat_Light_DarkActionBar=0x7f0700b9;
public static int Base_Theme_AppCompat_Light_Dialog=0x7f070014;
public static int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f070015;
public static int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f0700ba;
public static int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f070016;
public static int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f070002;
public static int Base_ThemeOverlay_AppCompat=0x7f0700bb;
public static int Base_ThemeOverlay_AppCompat_ActionBar=0x7f0700bc;
public static int Base_ThemeOverlay_AppCompat_Dark=0x7f0700bd;
public static int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0700be;
public static int Base_ThemeOverlay_AppCompat_Dialog=0x7f070017;
public static int Base_ThemeOverlay_AppCompat_Dialog_Alert=0x7f070018;
public static int Base_ThemeOverlay_AppCompat_Light=0x7f0700bf;
public static int Base_V11_Theme_AppCompat_Dialog=0x7f070019;
public static int Base_V11_Theme_AppCompat_Light_Dialog=0x7f07001a;
public static int Base_V11_ThemeOverlay_AppCompat_Dialog=0x7f07001b;
public static int Base_V12_Widget_AppCompat_AutoCompleteTextView=0x7f070023;
public static int Base_V12_Widget_AppCompat_EditText=0x7f070024;
public static int Base_V21_Theme_AppCompat=0x7f07005c;
public static int Base_V21_Theme_AppCompat_Dialog=0x7f07005d;
public static int Base_V21_Theme_AppCompat_Light=0x7f07005e;
public static int Base_V21_Theme_AppCompat_Light_Dialog=0x7f07005f;
public static int Base_V21_ThemeOverlay_AppCompat_Dialog=0x7f070060;
public static int Base_V22_Theme_AppCompat=0x7f070096;
public static int Base_V22_Theme_AppCompat_Light=0x7f070097;
public static int Base_V23_Theme_AppCompat=0x7f07009a;
public static int Base_V23_Theme_AppCompat_Light=0x7f07009b;
public static int Base_V26_Theme_AppCompat=0x7f0700a3;
public static int Base_V26_Theme_AppCompat_Light=0x7f0700a4;
public static int Base_V26_Widget_AppCompat_Toolbar=0x7f0700a5;
public static int Base_V7_Theme_AppCompat=0x7f0700c0;
public static int Base_V7_Theme_AppCompat_Dialog=0x7f0700c1;
public static int Base_V7_Theme_AppCompat_Light=0x7f0700c2;
public static int Base_V7_Theme_AppCompat_Light_Dialog=0x7f0700c3;
public static int Base_V7_ThemeOverlay_AppCompat_Dialog=0x7f0700c4;
public static int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f0700c5;
public static int Base_V7_Widget_AppCompat_EditText=0x7f0700c6;
public static int Base_V7_Widget_AppCompat_Toolbar=0x7f0700c7;
public static int Base_Widget_AppCompat_ActionBar=0x7f0700c8;
public static int Base_Widget_AppCompat_ActionBar_Solid=0x7f0700c9;
public static int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0700ca;
public static int Base_Widget_AppCompat_ActionBar_TabText=0x7f070061;
public static int Base_Widget_AppCompat_ActionBar_TabView=0x7f070062;
public static int Base_Widget_AppCompat_ActionButton=0x7f070063;
public static int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f070064;
public static int Base_Widget_AppCompat_ActionButton_Overflow=0x7f070065;
public static int Base_Widget_AppCompat_ActionMode=0x7f0700cb;
public static int Base_Widget_AppCompat_ActivityChooserView=0x7f0700cc;
public static int Base_Widget_AppCompat_AutoCompleteTextView=0x7f070025;
public static int Base_Widget_AppCompat_Button=0x7f070066;
public static int Base_Widget_AppCompat_Button_Borderless=0x7f070067;
public static int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f070068;
public static int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0700cd;
public static int Base_Widget_AppCompat_Button_Colored=0x7f07009c;
public static int Base_Widget_AppCompat_Button_Small=0x7f070069;
public static int Base_Widget_AppCompat_ButtonBar=0x7f07006a;
public static int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0700ce;
public static int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f07006b;
public static int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f07006c;
public static int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0700cf;
public static int Base_Widget_AppCompat_DrawerArrowToggle=0x7f070000;
public static int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0700d0;
public static int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f07006d;
public static int Base_Widget_AppCompat_EditText=0x7f070026;
public static int Base_Widget_AppCompat_ImageButton=0x7f07006e;
public static int Base_Widget_AppCompat_Light_ActionBar=0x7f0700d1;
public static int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0700d2;
public static int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0700d3;
public static int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f07006f;
public static int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f070070;
public static int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f070071;
public static int Base_Widget_AppCompat_Light_PopupMenu=0x7f070072;
public static int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f070073;
public static int Base_Widget_AppCompat_ListMenuView=0x7f0700d4;
public static int Base_Widget_AppCompat_ListPopupWindow=0x7f070074;
public static int Base_Widget_AppCompat_ListView=0x7f070075;
public static int Base_Widget_AppCompat_ListView_DropDown=0x7f070076;
public static int Base_Widget_AppCompat_ListView_Menu=0x7f070077;
public static int Base_Widget_AppCompat_PopupMenu=0x7f070078;
public static int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f070079;
public static int Base_Widget_AppCompat_PopupWindow=0x7f0700d5;
public static int Base_Widget_AppCompat_ProgressBar=0x7f07001c;
public static int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f07001d;
public static int Base_Widget_AppCompat_RatingBar=0x7f07007a;
public static int Base_Widget_AppCompat_RatingBar_Indicator=0x7f07009d;
public static int Base_Widget_AppCompat_RatingBar_Small=0x7f07009e;
public static int Base_Widget_AppCompat_SearchView=0x7f0700d6;
public static int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0700d7;
public static int Base_Widget_AppCompat_SeekBar=0x7f07007b;
public static int Base_Widget_AppCompat_SeekBar_Discrete=0x7f0700d8;
public static int Base_Widget_AppCompat_Spinner=0x7f07007c;
public static int Base_Widget_AppCompat_Spinner_Underlined=0x7f070003;
public static int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f07007d;
public static int Base_Widget_AppCompat_Toolbar=0x7f0700a6;
public static int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f07007e;
public static int Platform_AppCompat=0x7f07001e;
public static int Platform_AppCompat_Light=0x7f07001f;
public static int Platform_ThemeOverlay_AppCompat=0x7f07007f;
public static int Platform_ThemeOverlay_AppCompat_Dark=0x7f070080;
public static int Platform_ThemeOverlay_AppCompat_Light=0x7f070081;
public static int Platform_V11_AppCompat=0x7f070020;
public static int Platform_V11_AppCompat_Light=0x7f070021;
public static int Platform_V14_AppCompat=0x7f070028;
public static int Platform_V14_AppCompat_Light=0x7f070029;
public static int Platform_V21_AppCompat=0x7f070082;
public static int Platform_V21_AppCompat_Light=0x7f070083;
public static int Platform_V25_AppCompat=0x7f0700a1;
public static int Platform_V25_AppCompat_Light=0x7f0700a2;
public static int Platform_Widget_AppCompat_Spinner=0x7f070022;
public static int RtlOverlay_DialogWindowTitle_AppCompat=0x7f07002b;
public static int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f07002c;
public static int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f07002d;
public static int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f07002e;
public static int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f07002f;
public static int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f070030;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f070031;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f070032;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f070033;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f070034;
public static int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f070035;
public static int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f070036;
public static int RtlUnderlay_Widget_AppCompat_ActionButton=0x7f070037;
public static int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow=0x7f070038;
public static int TextAppearance_AppCompat=0x7f0700d9;
public static int TextAppearance_AppCompat_Body1=0x7f0700da;
public static int TextAppearance_AppCompat_Body2=0x7f0700db;
public static int TextAppearance_AppCompat_Button=0x7f0700dc;
public static int TextAppearance_AppCompat_Caption=0x7f0700dd;
public static int TextAppearance_AppCompat_Display1=0x7f0700de;
public static int TextAppearance_AppCompat_Display2=0x7f0700df;
public static int TextAppearance_AppCompat_Display3=0x7f0700e0;
public static int TextAppearance_AppCompat_Display4=0x7f0700e1;
public static int TextAppearance_AppCompat_Headline=0x7f0700e2;
public static int TextAppearance_AppCompat_Inverse=0x7f0700e3;
public static int TextAppearance_AppCompat_Large=0x7f0700e4;
public static int TextAppearance_AppCompat_Large_Inverse=0x7f0700e5;
public static int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0700e6;
public static int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0700e7;
public static int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0700e8;
public static int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0700e9;
public static int TextAppearance_AppCompat_Medium=0x7f0700ea;
public static int TextAppearance_AppCompat_Medium_Inverse=0x7f0700eb;
public static int TextAppearance_AppCompat_Menu=0x7f0700ec;
public static int TextAppearance_AppCompat_Notification=0x7f070084;
public static int TextAppearance_AppCompat_Notification_Info=0x7f070085;
public static int TextAppearance_AppCompat_Notification_Info_Media=0x7f070086;
public static int TextAppearance_AppCompat_Notification_Line2=0x7f0700ed;
public static int TextAppearance_AppCompat_Notification_Line2_Media=0x7f0700ee;
public static int TextAppearance_AppCompat_Notification_Media=0x7f070087;
public static int TextAppearance_AppCompat_Notification_Time=0x7f070088;
public static int TextAppearance_AppCompat_Notification_Time_Media=0x7f070089;
public static int TextAppearance_AppCompat_Notification_Title=0x7f07008a;
public static int TextAppearance_AppCompat_Notification_Title_Media=0x7f07008b;
public static int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0700ef;
public static int TextAppearance_AppCompat_SearchResult_Title=0x7f0700f0;
public static int TextAppearance_AppCompat_Small=0x7f0700f1;
public static int TextAppearance_AppCompat_Small_Inverse=0x7f0700f2;
public static int TextAppearance_AppCompat_Subhead=0x7f0700f3;
public static int TextAppearance_AppCompat_Subhead_Inverse=0x7f0700f4;
public static int TextAppearance_AppCompat_Title=0x7f0700f5;
public static int TextAppearance_AppCompat_Title_Inverse=0x7f0700f6;
public static int TextAppearance_AppCompat_Tooltip=0x7f07002a;
public static int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0700f7;
public static int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0700f8;
public static int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0700f9;
public static int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0700fa;
public static int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0700fb;
public static int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0700fc;
public static int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0700fd;
public static int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0700fe;
public static int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0700ff;
public static int TextAppearance_AppCompat_Widget_Button=0x7f070100;
public static int TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f070101;
public static int TextAppearance_AppCompat_Widget_Button_Colored=0x7f070102;
public static int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f070103;
public static int TextAppearance_AppCompat_Widget_DropDownItem=0x7f070104;
public static int TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f070105;
public static int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f070106;
public static int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f070107;
public static int TextAppearance_AppCompat_Widget_Switch=0x7f070108;
public static int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f070109;
public static int TextAppearance_Compat_Notification=0x7f07008c;
public static int TextAppearance_Compat_Notification_Info=0x7f07008d;
public static int TextAppearance_Compat_Notification_Info_Media=0x7f07008e;
public static int TextAppearance_Compat_Notification_Line2=0x7f07010a;
public static int TextAppearance_Compat_Notification_Line2_Media=0x7f07010b;
public static int TextAppearance_Compat_Notification_Media=0x7f07008f;
public static int TextAppearance_Compat_Notification_Time=0x7f070090;
public static int TextAppearance_Compat_Notification_Time_Media=0x7f070091;
public static int TextAppearance_Compat_Notification_Title=0x7f070092;
public static int TextAppearance_Compat_Notification_Title_Media=0x7f070093;
public static int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f07010c;
public static int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f07010d;
public static int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f07010e;
public static int Theme_AppCompat=0x7f07010f;
public static int Theme_AppCompat_CompactMenu=0x7f070110;
public static int Theme_AppCompat_DayNight=0x7f070004;
public static int Theme_AppCompat_DayNight_DarkActionBar=0x7f070005;
public static int Theme_AppCompat_DayNight_Dialog=0x7f070006;
public static int Theme_AppCompat_DayNight_Dialog_Alert=0x7f070007;
public static int Theme_AppCompat_DayNight_Dialog_MinWidth=0x7f070008;
public static int Theme_AppCompat_DayNight_DialogWhenLarge=0x7f070009;
public static int Theme_AppCompat_DayNight_NoActionBar=0x7f07000a;
public static int Theme_AppCompat_Dialog=0x7f070111;
public static int Theme_AppCompat_Dialog_Alert=0x7f070112;
public static int Theme_AppCompat_Dialog_MinWidth=0x7f070113;
public static int Theme_AppCompat_DialogWhenLarge=0x7f070114;
public static int Theme_AppCompat_Light=0x7f070115;
public static int Theme_AppCompat_Light_DarkActionBar=0x7f070116;
public static int Theme_AppCompat_Light_Dialog=0x7f070117;
public static int Theme_AppCompat_Light_Dialog_Alert=0x7f070118;
public static int Theme_AppCompat_Light_Dialog_MinWidth=0x7f070119;
public static int Theme_AppCompat_Light_DialogWhenLarge=0x7f07011a;
public static int Theme_AppCompat_Light_NoActionBar=0x7f07011b;
public static int Theme_AppCompat_NoActionBar=0x7f07011c;
public static int ThemeOverlay_AppCompat=0x7f07011d;
public static int ThemeOverlay_AppCompat_ActionBar=0x7f07011e;
public static int ThemeOverlay_AppCompat_Dark=0x7f07011f;
public static int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f070120;
public static int ThemeOverlay_AppCompat_Dialog=0x7f070121;
public static int ThemeOverlay_AppCompat_Dialog_Alert=0x7f070122;
public static int ThemeOverlay_AppCompat_Light=0x7f070123;
public static int Widget_AppCompat_ActionBar=0x7f070124;
public static int Widget_AppCompat_ActionBar_Solid=0x7f070125;
public static int Widget_AppCompat_ActionBar_TabBar=0x7f070126;
public static int Widget_AppCompat_ActionBar_TabText=0x7f070127;
public static int Widget_AppCompat_ActionBar_TabView=0x7f070128;
public static int Widget_AppCompat_ActionButton=0x7f070129;
public static int Widget_AppCompat_ActionButton_CloseMode=0x7f07012a;
public static int Widget_AppCompat_ActionButton_Overflow=0x7f07012b;
public static int Widget_AppCompat_ActionMode=0x7f07012c;
public static int Widget_AppCompat_ActivityChooserView=0x7f07012d;
public static int Widget_AppCompat_AutoCompleteTextView=0x7f07012e;
public static int Widget_AppCompat_Button=0x7f07012f;
public static int Widget_AppCompat_Button_Borderless=0x7f070130;
public static int Widget_AppCompat_Button_Borderless_Colored=0x7f070131;
public static int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f070132;
public static int Widget_AppCompat_Button_Colored=0x7f070133;
public static int Widget_AppCompat_Button_Small=0x7f070134;
public static int Widget_AppCompat_ButtonBar=0x7f070135;
public static int Widget_AppCompat_ButtonBar_AlertDialog=0x7f070136;
public static int Widget_AppCompat_CompoundButton_CheckBox=0x7f070137;
public static int Widget_AppCompat_CompoundButton_RadioButton=0x7f070138;
public static int Widget_AppCompat_CompoundButton_Switch=0x7f070139;
public static int Widget_AppCompat_DrawerArrowToggle=0x7f07013a;
public static int Widget_AppCompat_DropDownItem_Spinner=0x7f07013b;
public static int Widget_AppCompat_EditText=0x7f07013c;
public static int Widget_AppCompat_ImageButton=0x7f07013d;
public static int Widget_AppCompat_Light_ActionBar=0x7f07013e;
public static int Widget_AppCompat_Light_ActionBar_Solid=0x7f07013f;
public static int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f070140;
public static int Widget_AppCompat_Light_ActionBar_TabBar=0x7f070141;
public static int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f070142;
public static int Widget_AppCompat_Light_ActionBar_TabText=0x7f070143;
public static int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f070144;
public static int Widget_AppCompat_Light_ActionBar_TabView=0x7f070145;
public static int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f070146;
public static int Widget_AppCompat_Light_ActionButton=0x7f070147;
public static int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f070148;
public static int Widget_AppCompat_Light_ActionButton_Overflow=0x7f070149;
public static int Widget_AppCompat_Light_ActionMode_Inverse=0x7f07014a;
public static int Widget_AppCompat_Light_ActivityChooserView=0x7f07014b;
public static int Widget_AppCompat_Light_AutoCompleteTextView=0x7f07014c;
public static int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f07014d;
public static int Widget_AppCompat_Light_ListPopupWindow=0x7f07014e;
public static int Widget_AppCompat_Light_ListView_DropDown=0x7f07014f;
public static int Widget_AppCompat_Light_PopupMenu=0x7f070150;
public static int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f070151;
public static int Widget_AppCompat_Light_SearchView=0x7f070152;
public static int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f070153;
public static int Widget_AppCompat_ListMenuView=0x7f070154;
public static int Widget_AppCompat_ListPopupWindow=0x7f070155;
public static int Widget_AppCompat_ListView=0x7f070156;
public static int Widget_AppCompat_ListView_DropDown=0x7f070157;
public static int Widget_AppCompat_ListView_Menu=0x7f070158;
public static int Widget_AppCompat_PopupMenu=0x7f070159;
public static int Widget_AppCompat_PopupMenu_Overflow=0x7f07015a;
public static int Widget_AppCompat_PopupWindow=0x7f07015b;
public static int Widget_AppCompat_ProgressBar=0x7f07015c;
public static int Widget_AppCompat_ProgressBar_Horizontal=0x7f07015d;
public static int Widget_AppCompat_RatingBar=0x7f07015e;
public static int Widget_AppCompat_RatingBar_Indicator=0x7f07015f;
public static int Widget_AppCompat_RatingBar_Small=0x7f070160;
public static int Widget_AppCompat_SearchView=0x7f070161;
public static int Widget_AppCompat_SearchView_ActionBar=0x7f070162;
public static int Widget_AppCompat_SeekBar=0x7f070163;
public static int Widget_AppCompat_SeekBar_Discrete=0x7f070164;
public static int Widget_AppCompat_Spinner=0x7f070165;
public static int Widget_AppCompat_Spinner_DropDown=0x7f070166;
public static int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f070167;
public static int Widget_AppCompat_Spinner_Underlined=0x7f070168;
public static int Widget_AppCompat_TextView_SpinnerItem=0x7f070169;
public static int Widget_AppCompat_Toolbar=0x7f07016a;
public static int Widget_AppCompat_Toolbar_Button_Navigation=0x7f07016b;
public static int Widget_Compat_NotificationActionContainer=0x7f070094;
public static int Widget_Compat_NotificationActionText=0x7f070095;
}
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.airbnb.android.react.lottie:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundSplit com.airbnb.android.react.lottie:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_backgroundStacked com.airbnb.android.react.lottie:backgroundStacked}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetEnd com.airbnb.android.react.lottie:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetEndWithActions com.airbnb.android.react.lottie:contentInsetEndWithActions}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetLeft com.airbnb.android.react.lottie:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetRight com.airbnb.android.react.lottie:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetStart com.airbnb.android.react.lottie:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_contentInsetStartWithNavigation com.airbnb.android.react.lottie:contentInsetStartWithNavigation}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_customNavigationLayout com.airbnb.android.react.lottie:customNavigationLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_displayOptions com.airbnb.android.react.lottie:displayOptions}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_divider com.airbnb.android.react.lottie:divider}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_elevation com.airbnb.android.react.lottie:elevation}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_height com.airbnb.android.react.lottie:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_hideOnContentScroll com.airbnb.android.react.lottie:hideOnContentScroll}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeAsUpIndicator com.airbnb.android.react.lottie:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_homeLayout com.airbnb.android.react.lottie:homeLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_icon com.airbnb.android.react.lottie:icon}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_indeterminateProgressStyle com.airbnb.android.react.lottie:indeterminateProgressStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_itemPadding com.airbnb.android.react.lottie:itemPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_logo com.airbnb.android.react.lottie:logo}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_navigationMode com.airbnb.android.react.lottie:navigationMode}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_popupTheme com.airbnb.android.react.lottie:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarPadding com.airbnb.android.react.lottie:progressBarPadding}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_progressBarStyle com.airbnb.android.react.lottie:progressBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitle com.airbnb.android.react.lottie:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_subtitleTextStyle com.airbnb.android.react.lottie:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_title com.airbnb.android.react.lottie:title}</code></td><td></td></tr>
<tr><td><code>{@link #ActionBar_titleTextStyle com.airbnb.android.react.lottie: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 = {
0x7f010001, 0x7f010003, 0x7f010004, 0x7f010005,
0x7f010006, 0x7f010007, 0x7f010008, 0x7f010009,
0x7f01000a, 0x7f01000b, 0x7f01000c, 0x7f01000d,
0x7f01000e, 0x7f01000f, 0x7f010010, 0x7f010011,
0x7f010012, 0x7f010013, 0x7f010014, 0x7f010015,
0x7f010016, 0x7f010017, 0x7f010018, 0x7f010019,
0x7f01001a, 0x7f01001b, 0x7f01001c, 0x7f01001d,
0x7f010063
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#background}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:background
*/
public static int ActionBar_background = 10;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#backgroundSplit}
attribute's value can be found in the {@link #ActionBar} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:backgroundSplit
*/
public static int ActionBar_backgroundSplit = 12;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#backgroundStacked}
attribute's value can be found in the {@link #ActionBar} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:backgroundStacked
*/
public static int ActionBar_backgroundStacked = 11;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetEnd}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetEnd
*/
public static int ActionBar_contentInsetEnd = 21;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetEndWithActions}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetEndWithActions
*/
public static int ActionBar_contentInsetEndWithActions = 25;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetLeft}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetLeft
*/
public static int ActionBar_contentInsetLeft = 22;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetRight}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetRight
*/
public static int ActionBar_contentInsetRight = 23;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetStart}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetStart
*/
public static int ActionBar_contentInsetStart = 20;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetStartWithNavigation}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetStartWithNavigation
*/
public static int ActionBar_contentInsetStartWithNavigation = 24;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#customNavigationLayout}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:customNavigationLayout
*/
public static int ActionBar_customNavigationLayout = 13;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#displayOptions}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>useLogo</code></td><td>0x1</td><td></td></tr>
<tr><td><code>showHome</code></td><td>0x2</td><td></td></tr>
<tr><td><code>homeAsUp</code></td><td>0x4</td><td></td></tr>
<tr><td><code>showTitle</code></td><td>0x8</td><td></td></tr>
<tr><td><code>showCustom</code></td><td>0x10</td><td></td></tr>
<tr><td><code>disableHome</code></td><td>0x20</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:displayOptions
*/
public static int ActionBar_displayOptions = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#divider}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:divider
*/
public static int ActionBar_divider = 9;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#elevation}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:elevation
*/
public static int ActionBar_elevation = 26;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#height}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:height
*/
public static int ActionBar_height = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#hideOnContentScroll}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:hideOnContentScroll
*/
public static int ActionBar_hideOnContentScroll = 19;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#homeAsUpIndicator}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:homeAsUpIndicator
*/
public static int ActionBar_homeAsUpIndicator = 28;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#homeLayout}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:homeLayout
*/
public static int ActionBar_homeLayout = 14;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#icon}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:icon
*/
public static int ActionBar_icon = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#indeterminateProgressStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:indeterminateProgressStyle
*/
public static int ActionBar_indeterminateProgressStyle = 16;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#itemPadding}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:itemPadding
*/
public static int ActionBar_itemPadding = 18;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#logo}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:logo
*/
public static int ActionBar_logo = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#navigationMode}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>listMode</code></td><td>1</td><td></td></tr>
<tr><td><code>tabMode</code></td><td>2</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:navigationMode
*/
public static int ActionBar_navigationMode = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#popupTheme}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:popupTheme
*/
public static int ActionBar_popupTheme = 27;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#progressBarPadding}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:progressBarPadding
*/
public static int ActionBar_progressBarPadding = 17;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#progressBarStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:progressBarStyle
*/
public static int ActionBar_progressBarStyle = 15;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subtitle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:subtitle
*/
public static int ActionBar_subtitle = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subtitleTextStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:subtitleTextStyle
*/
public static int ActionBar_subtitleTextStyle = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#title}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:title
*/
public static int ActionBar_title = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleTextStyle}
attribute's value can be found in the {@link #ActionBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:titleTextStyle
*/
public static int ActionBar_titleTextStyle = 5;
/** Attributes that can be used with a ActionBarLayout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionBarLayout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
</table>
@see #ActionBarLayout_android_layout_gravity
*/
public static final int[] ActionBarLayout = {
0x010100b3
};
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
attribute's value can be found in the {@link #ActionBarLayout} array.
@attr name android:layout_gravity
*/
public static int ActionBarLayout_android_layout_gravity = 0;
/** Attributes that can be used with a ActionMenuItemView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionMenuItemView_android_minWidth android:minWidth}</code></td><td></td></tr>
</table>
@see #ActionMenuItemView_android_minWidth
*/
public static final int[] ActionMenuItemView = {
0x0101013f
};
/**
<p>This symbol is the offset where the {@link android.R.attr#minWidth}
attribute's value can be found in the {@link #ActionMenuItemView} array.
@attr name android:minWidth
*/
public static int ActionMenuItemView_android_minWidth = 0;
/** Attributes that can be used with a ActionMenuView.
*/
public static final int[] ActionMenuView = {
};
/** Attributes that can be used with a ActionMode.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActionMode_background com.airbnb.android.react.lottie:background}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_backgroundSplit com.airbnb.android.react.lottie:backgroundSplit}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_closeItemLayout com.airbnb.android.react.lottie:closeItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_height com.airbnb.android.react.lottie:height}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_subtitleTextStyle com.airbnb.android.react.lottie:subtitleTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #ActionMode_titleTextStyle com.airbnb.android.react.lottie:titleTextStyle}</code></td><td></td></tr>
</table>
@see #ActionMode_background
@see #ActionMode_backgroundSplit
@see #ActionMode_closeItemLayout
@see #ActionMode_height
@see #ActionMode_subtitleTextStyle
@see #ActionMode_titleTextStyle
*/
public static final int[] ActionMode = {
0x7f010001, 0x7f010007, 0x7f010008, 0x7f01000c,
0x7f01000e, 0x7f01001e
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#background}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:background
*/
public static int ActionMode_background = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#backgroundSplit}
attribute's value can be found in the {@link #ActionMode} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:backgroundSplit
*/
public static int ActionMode_backgroundSplit = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#closeItemLayout}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:closeItemLayout
*/
public static int ActionMode_closeItemLayout = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#height}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:height
*/
public static int ActionMode_height = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subtitleTextStyle}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:subtitleTextStyle
*/
public static int ActionMode_subtitleTextStyle = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleTextStyle}
attribute's value can be found in the {@link #ActionMode} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:titleTextStyle
*/
public static int ActionMode_titleTextStyle = 1;
/** Attributes that can be used with a ActivityChooserView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ActivityChooserView_expandActivityOverflowButtonDrawable com.airbnb.android.react.lottie:expandActivityOverflowButtonDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #ActivityChooserView_initialActivityCount com.airbnb.android.react.lottie:initialActivityCount}</code></td><td></td></tr>
</table>
@see #ActivityChooserView_expandActivityOverflowButtonDrawable
@see #ActivityChooserView_initialActivityCount
*/
public static final int[] ActivityChooserView = {
0x7f01001f, 0x7f010020
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#expandActivityOverflowButtonDrawable}
attribute's value can be found in the {@link #ActivityChooserView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:expandActivityOverflowButtonDrawable
*/
public static int ActivityChooserView_expandActivityOverflowButtonDrawable = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#initialActivityCount}
attribute's value can be found in the {@link #ActivityChooserView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:initialActivityCount
*/
public static int ActivityChooserView_initialActivityCount = 0;
/** Attributes that can be used with a AlertDialog.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AlertDialog_android_layout android:layout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_buttonPanelSideLayout com.airbnb.android.react.lottie:buttonPanelSideLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listItemLayout com.airbnb.android.react.lottie:listItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_listLayout com.airbnb.android.react.lottie:listLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_multiChoiceItemLayout com.airbnb.android.react.lottie:multiChoiceItemLayout}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_showTitle com.airbnb.android.react.lottie:showTitle}</code></td><td></td></tr>
<tr><td><code>{@link #AlertDialog_singleChoiceItemLayout com.airbnb.android.react.lottie:singleChoiceItemLayout}</code></td><td></td></tr>
</table>
@see #AlertDialog_android_layout
@see #AlertDialog_buttonPanelSideLayout
@see #AlertDialog_listItemLayout
@see #AlertDialog_listLayout
@see #AlertDialog_multiChoiceItemLayout
@see #AlertDialog_showTitle
@see #AlertDialog_singleChoiceItemLayout
*/
public static final int[] AlertDialog = {
0x010100f2, 0x7f010021, 0x7f010022, 0x7f010023,
0x7f010024, 0x7f010025, 0x7f010026
};
/**
<p>This symbol is the offset where the {@link android.R.attr#layout}
attribute's value can be found in the {@link #AlertDialog} array.
@attr name android:layout
*/
public static int AlertDialog_android_layout = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonPanelSideLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonPanelSideLayout
*/
public static int AlertDialog_buttonPanelSideLayout = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listItemLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:listItemLayout
*/
public static int AlertDialog_listItemLayout = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:listLayout
*/
public static int AlertDialog_listLayout = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#multiChoiceItemLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:multiChoiceItemLayout
*/
public static int AlertDialog_multiChoiceItemLayout = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#showTitle}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:showTitle
*/
public static int AlertDialog_showTitle = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#singleChoiceItemLayout}
attribute's value can be found in the {@link #AlertDialog} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:singleChoiceItemLayout
*/
public static int AlertDialog_singleChoiceItemLayout = 4;
/** 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.airbnb.android.react.lottie:srcCompat}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatImageView_tint com.airbnb.android.react.lottie:tint}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatImageView_tintMode com.airbnb.android.react.lottie: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, 0x7f010027, 0x7f010028, 0x7f010029
};
/**
<p>This symbol is the offset where the {@link android.R.attr#src}
attribute's value can be found in the {@link #AppCompatImageView} array.
@attr name android:src
*/
public static int AppCompatImageView_android_src = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#srcCompat}
attribute's value can be found in the {@link #AppCompatImageView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:srcCompat
*/
public static int AppCompatImageView_srcCompat = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#tint}
attribute's value can be found in the {@link #AppCompatImageView} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:tint
*/
public static int AppCompatImageView_tint = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:tintMode
*/
public static 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.airbnb.android.react.lottie:tickMark}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatSeekBar_tickMarkTint com.airbnb.android.react.lottie:tickMarkTint}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatSeekBar_tickMarkTintMode com.airbnb.android.react.lottie: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, 0x7f01002a, 0x7f01002b, 0x7f01002c
};
/**
<p>This symbol is the offset where the {@link android.R.attr#thumb}
attribute's value can be found in the {@link #AppCompatSeekBar} array.
@attr name android:thumb
*/
public static int AppCompatSeekBar_android_thumb = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#tickMark}
attribute's value can be found in the {@link #AppCompatSeekBar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:tickMark
*/
public static int AppCompatSeekBar_tickMark = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#tickMarkTint}
attribute's value can be found in the {@link #AppCompatSeekBar} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:tickMarkTint
*/
public static int AppCompatSeekBar_tickMarkTint = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#tickMarkTintMode}
attribute's value can be found in the {@link #AppCompatSeekBar} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:tickMarkTintMode
*/
public static int AppCompatSeekBar_tickMarkTintMode = 3;
/** Attributes that can be used with a AppCompatTextHelper.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableBottom android:drawableBottom}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableEnd android:drawableEnd}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableLeft android:drawableLeft}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableRight android:drawableRight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableStart android:drawableStart}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_drawableTop android:drawableTop}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextHelper_android_textAppearance android:textAppearance}</code></td><td></td></tr>
</table>
@see #AppCompatTextHelper_android_drawableBottom
@see #AppCompatTextHelper_android_drawableEnd
@see #AppCompatTextHelper_android_drawableLeft
@see #AppCompatTextHelper_android_drawableRight
@see #AppCompatTextHelper_android_drawableStart
@see #AppCompatTextHelper_android_drawableTop
@see #AppCompatTextHelper_android_textAppearance
*/
public static final int[] AppCompatTextHelper = {
0x01010034, 0x0101016d, 0x0101016e, 0x0101016f,
0x01010170, 0x01010392, 0x01010393
};
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableBottom}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableBottom
*/
public static int AppCompatTextHelper_android_drawableBottom = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableEnd}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableEnd
*/
public static int AppCompatTextHelper_android_drawableEnd = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableLeft}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableLeft
*/
public static int AppCompatTextHelper_android_drawableLeft = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableRight}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableRight
*/
public static int AppCompatTextHelper_android_drawableRight = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableStart}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableStart
*/
public static int AppCompatTextHelper_android_drawableStart = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#drawableTop}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:drawableTop
*/
public static int AppCompatTextHelper_android_drawableTop = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#textAppearance}
attribute's value can be found in the {@link #AppCompatTextHelper} array.
@attr name android:textAppearance
*/
public static int AppCompatTextHelper_android_textAppearance = 0;
/** Attributes that can be used with a AppCompatTextView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatTextView_android_textAppearance android:textAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_autoSizeMaxTextSize com.airbnb.android.react.lottie:autoSizeMaxTextSize}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_autoSizeMinTextSize com.airbnb.android.react.lottie:autoSizeMinTextSize}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_autoSizePresetSizes com.airbnb.android.react.lottie:autoSizePresetSizes}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_autoSizeStepGranularity com.airbnb.android.react.lottie:autoSizeStepGranularity}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_autoSizeTextType com.airbnb.android.react.lottie:autoSizeTextType}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_fontFamily com.airbnb.android.react.lottie:fontFamily}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTextView_textAllCaps com.airbnb.android.react.lottie: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, 0x7f01002d, 0x7f01002e, 0x7f01002f,
0x7f010030, 0x7f010031, 0x7f010032, 0x7f010033
};
/**
<p>This symbol is the offset where the {@link android.R.attr#textAppearance}
attribute's value can be found in the {@link #AppCompatTextView} array.
@attr name android:textAppearance
*/
public static int AppCompatTextView_android_textAppearance = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#autoSizeMaxTextSize}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:autoSizeMaxTextSize
*/
public static int AppCompatTextView_autoSizeMaxTextSize = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#autoSizeMinTextSize}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:autoSizeMinTextSize
*/
public static int AppCompatTextView_autoSizeMinTextSize = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#autoSizePresetSizes}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:autoSizePresetSizes
*/
public static int AppCompatTextView_autoSizePresetSizes = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#autoSizeStepGranularity}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:autoSizeStepGranularity
*/
public static int AppCompatTextView_autoSizeStepGranularity = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>uniform</code></td><td>1</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:autoSizeTextType
*/
public static int AppCompatTextView_autoSizeTextType = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontFamily}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:fontFamily
*/
public static int AppCompatTextView_fontFamily = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAllCaps}
attribute's value can be found in the {@link #AppCompatTextView} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a boolean value, either "<code>true</code>" or "<code>false</code>".
@attr name com.airbnb.android.react.lottie:textAllCaps
*/
public static int AppCompatTextView_textAllCaps = 1;
/** Attributes that can be used with a AppCompatTheme.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarDivider com.airbnb.android.react.lottie:actionBarDivider}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarItemBackground com.airbnb.android.react.lottie:actionBarItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarPopupTheme com.airbnb.android.react.lottie:actionBarPopupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarSize com.airbnb.android.react.lottie:actionBarSize}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarSplitStyle com.airbnb.android.react.lottie:actionBarSplitStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarStyle com.airbnb.android.react.lottie:actionBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTabBarStyle com.airbnb.android.react.lottie:actionBarTabBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTabStyle com.airbnb.android.react.lottie:actionBarTabStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTabTextStyle com.airbnb.android.react.lottie:actionBarTabTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarTheme com.airbnb.android.react.lottie:actionBarTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionBarWidgetTheme com.airbnb.android.react.lottie:actionBarWidgetTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionButtonStyle com.airbnb.android.react.lottie:actionButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionDropDownStyle com.airbnb.android.react.lottie:actionDropDownStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionMenuTextAppearance com.airbnb.android.react.lottie:actionMenuTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionMenuTextColor com.airbnb.android.react.lottie:actionMenuTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeBackground com.airbnb.android.react.lottie:actionModeBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCloseButtonStyle com.airbnb.android.react.lottie:actionModeCloseButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCloseDrawable com.airbnb.android.react.lottie:actionModeCloseDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCopyDrawable com.airbnb.android.react.lottie:actionModeCopyDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeCutDrawable com.airbnb.android.react.lottie:actionModeCutDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeFindDrawable com.airbnb.android.react.lottie:actionModeFindDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModePasteDrawable com.airbnb.android.react.lottie:actionModePasteDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModePopupWindowStyle com.airbnb.android.react.lottie:actionModePopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeSelectAllDrawable com.airbnb.android.react.lottie:actionModeSelectAllDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeShareDrawable com.airbnb.android.react.lottie:actionModeShareDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeSplitBackground com.airbnb.android.react.lottie:actionModeSplitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeStyle com.airbnb.android.react.lottie:actionModeStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionModeWebSearchDrawable com.airbnb.android.react.lottie:actionModeWebSearchDrawable}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionOverflowButtonStyle com.airbnb.android.react.lottie:actionOverflowButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_actionOverflowMenuStyle com.airbnb.android.react.lottie:actionOverflowMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_activityChooserViewStyle com.airbnb.android.react.lottie:activityChooserViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogButtonGroupStyle com.airbnb.android.react.lottie:alertDialogButtonGroupStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogCenterButtons com.airbnb.android.react.lottie:alertDialogCenterButtons}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogStyle com.airbnb.android.react.lottie:alertDialogStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_alertDialogTheme com.airbnb.android.react.lottie:alertDialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_autoCompleteTextViewStyle com.airbnb.android.react.lottie:autoCompleteTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_borderlessButtonStyle com.airbnb.android.react.lottie:borderlessButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarButtonStyle com.airbnb.android.react.lottie:buttonBarButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarNegativeButtonStyle com.airbnb.android.react.lottie:buttonBarNegativeButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarNeutralButtonStyle com.airbnb.android.react.lottie:buttonBarNeutralButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarPositiveButtonStyle com.airbnb.android.react.lottie:buttonBarPositiveButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonBarStyle com.airbnb.android.react.lottie:buttonBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonStyle com.airbnb.android.react.lottie:buttonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_buttonStyleSmall com.airbnb.android.react.lottie:buttonStyleSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_checkboxStyle com.airbnb.android.react.lottie:checkboxStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_checkedTextViewStyle com.airbnb.android.react.lottie:checkedTextViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorAccent com.airbnb.android.react.lottie:colorAccent}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorBackgroundFloating com.airbnb.android.react.lottie:colorBackgroundFloating}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorButtonNormal com.airbnb.android.react.lottie:colorButtonNormal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorControlActivated com.airbnb.android.react.lottie:colorControlActivated}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorControlHighlight com.airbnb.android.react.lottie:colorControlHighlight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorControlNormal com.airbnb.android.react.lottie:colorControlNormal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorError com.airbnb.android.react.lottie:colorError}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorPrimary com.airbnb.android.react.lottie:colorPrimary}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorPrimaryDark com.airbnb.android.react.lottie:colorPrimaryDark}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_colorSwitchThumbNormal com.airbnb.android.react.lottie:colorSwitchThumbNormal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_controlBackground com.airbnb.android.react.lottie:controlBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dialogPreferredPadding com.airbnb.android.react.lottie:dialogPreferredPadding}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dialogTheme com.airbnb.android.react.lottie:dialogTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dividerHorizontal com.airbnb.android.react.lottie:dividerHorizontal}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dividerVertical com.airbnb.android.react.lottie:dividerVertical}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dropDownListViewStyle com.airbnb.android.react.lottie:dropDownListViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_dropdownListPreferredItemHeight com.airbnb.android.react.lottie:dropdownListPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_editTextBackground com.airbnb.android.react.lottie:editTextBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_editTextColor com.airbnb.android.react.lottie:editTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_editTextStyle com.airbnb.android.react.lottie:editTextStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_homeAsUpIndicator com.airbnb.android.react.lottie:homeAsUpIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_imageButtonStyle com.airbnb.android.react.lottie:imageButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listChoiceBackgroundIndicator com.airbnb.android.react.lottie:listChoiceBackgroundIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listDividerAlertDialog com.airbnb.android.react.lottie:listDividerAlertDialog}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listMenuViewStyle com.airbnb.android.react.lottie:listMenuViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPopupWindowStyle com.airbnb.android.react.lottie:listPopupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemHeight com.airbnb.android.react.lottie:listPreferredItemHeight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightLarge com.airbnb.android.react.lottie:listPreferredItemHeightLarge}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightSmall com.airbnb.android.react.lottie:listPreferredItemHeightSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingLeft com.airbnb.android.react.lottie:listPreferredItemPaddingLeft}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingRight com.airbnb.android.react.lottie:listPreferredItemPaddingRight}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_panelBackground com.airbnb.android.react.lottie:panelBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_panelMenuListTheme com.airbnb.android.react.lottie:panelMenuListTheme}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_panelMenuListWidth com.airbnb.android.react.lottie:panelMenuListWidth}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_popupMenuStyle com.airbnb.android.react.lottie:popupMenuStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_popupWindowStyle com.airbnb.android.react.lottie:popupWindowStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_radioButtonStyle com.airbnb.android.react.lottie:radioButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_ratingBarStyle com.airbnb.android.react.lottie:ratingBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_ratingBarStyleIndicator com.airbnb.android.react.lottie:ratingBarStyleIndicator}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_ratingBarStyleSmall com.airbnb.android.react.lottie:ratingBarStyleSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_searchViewStyle com.airbnb.android.react.lottie:searchViewStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_seekBarStyle com.airbnb.android.react.lottie:seekBarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_selectableItemBackground com.airbnb.android.react.lottie:selectableItemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_selectableItemBackgroundBorderless com.airbnb.android.react.lottie:selectableItemBackgroundBorderless}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_spinnerDropDownItemStyle com.airbnb.android.react.lottie:spinnerDropDownItemStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_spinnerStyle com.airbnb.android.react.lottie:spinnerStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_switchStyle com.airbnb.android.react.lottie:switchStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceLargePopupMenu com.airbnb.android.react.lottie:textAppearanceLargePopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceListItem com.airbnb.android.react.lottie:textAppearanceListItem}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSecondary com.airbnb.android.react.lottie:textAppearanceListItemSecondary}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSmall com.airbnb.android.react.lottie:textAppearanceListItemSmall}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearancePopupMenuHeader com.airbnb.android.react.lottie:textAppearancePopupMenuHeader}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultSubtitle com.airbnb.android.react.lottie:textAppearanceSearchResultSubtitle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultTitle com.airbnb.android.react.lottie:textAppearanceSearchResultTitle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textAppearanceSmallPopupMenu com.airbnb.android.react.lottie:textAppearanceSmallPopupMenu}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textColorAlertDialogListItem com.airbnb.android.react.lottie:textColorAlertDialogListItem}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_textColorSearchUrl com.airbnb.android.react.lottie:textColorSearchUrl}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_toolbarNavigationButtonStyle com.airbnb.android.react.lottie:toolbarNavigationButtonStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_toolbarStyle com.airbnb.android.react.lottie:toolbarStyle}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_tooltipForegroundColor com.airbnb.android.react.lottie:tooltipForegroundColor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_tooltipFrameBackground com.airbnb.android.react.lottie:tooltipFrameBackground}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowActionBar com.airbnb.android.react.lottie:windowActionBar}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowActionBarOverlay com.airbnb.android.react.lottie:windowActionBarOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowActionModeOverlay com.airbnb.android.react.lottie:windowActionModeOverlay}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedHeightMajor com.airbnb.android.react.lottie:windowFixedHeightMajor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedHeightMinor com.airbnb.android.react.lottie:windowFixedHeightMinor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedWidthMajor com.airbnb.android.react.lottie:windowFixedWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowFixedWidthMinor com.airbnb.android.react.lottie:windowFixedWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowMinWidthMajor com.airbnb.android.react.lottie:windowMinWidthMajor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowMinWidthMinor com.airbnb.android.react.lottie:windowMinWidthMinor}</code></td><td></td></tr>
<tr><td><code>{@link #AppCompatTheme_windowNoTitle com.airbnb.android.react.lottie:windowNoTitle}</code></td><td></td></tr>
</table>
@see #AppCompatTheme_actionBarDivider
@see #AppCompatTheme_actionBarItemBackground
@see #AppCompatTheme_actionBarPopupTheme
@see #AppCompatTheme_actionBarSize
@see #AppCompatTheme_actionBarSplitStyle
@see #AppCompatTheme_actionBarStyle
@see #AppCompatTheme_actionBarTabBarStyle
@see #AppCompatTheme_actionBarTabStyle
@see #AppCompatTheme_actionBarTabTextStyle
@see #AppCompatTheme_actionBarTheme
@see #AppCompatTheme_actionBarWidgetTheme
@see #AppCompatTheme_actionButtonStyle
@see #AppCompatTheme_actionDropDownStyle
@see #AppCompatTheme_actionMenuTextAppearance
@see #AppCompatTheme_actionMenuTextColor
@see #AppCompatTheme_actionModeBackground
@see #AppCompatTheme_actionModeCloseButtonStyle
@see #AppCompatTheme_actionModeCloseDrawable
@see #AppCompatTheme_actionModeCopyDrawable
@see #AppCompatTheme_actionModeCutDrawable
@see #AppCompatTheme_actionModeFindDrawable
@see #AppCompatTheme_actionModePasteDrawable
@see #AppCompatTheme_actionModePopupWindowStyle
@see #AppCompatTheme_actionModeSelectAllDrawable
@see #AppCompatTheme_actionModeShareDrawable
@see #AppCompatTheme_actionModeSplitBackground
@see #AppCompatTheme_actionModeStyle
@see #AppCompatTheme_actionModeWebSearchDrawable
@see #AppCompatTheme_actionOverflowButtonStyle
@see #AppCompatTheme_actionOverflowMenuStyle
@see #AppCompatTheme_activityChooserViewStyle
@see #AppCompatTheme_alertDialogButtonGroupStyle
@see #AppCompatTheme_alertDialogCenterButtons
@see #AppCompatTheme_alertDialogStyle
@see #AppCompatTheme_alertDialogTheme
@see #AppCompatTheme_android_windowAnimationStyle
@see #AppCompatTheme_android_windowIsFloating
@see #AppCompatTheme_autoCompleteTextViewStyle
@see #AppCompatTheme_borderlessButtonStyle
@see #AppCompatTheme_buttonBarButtonStyle
@see #AppCompatTheme_buttonBarNegativeButtonStyle
@see #AppCompatTheme_buttonBarNeutralButtonStyle
@see #AppCompatTheme_buttonBarPositiveButtonStyle
@see #AppCompatTheme_buttonBarStyle
@see #AppCompatTheme_buttonStyle
@see #AppCompatTheme_buttonStyleSmall
@see #AppCompatTheme_checkboxStyle
@see #AppCompatTheme_checkedTextViewStyle
@see #AppCompatTheme_colorAccent
@see #AppCompatTheme_colorBackgroundFloating
@see #AppCompatTheme_colorButtonNormal
@see #AppCompatTheme_colorControlActivated
@see #AppCompatTheme_colorControlHighlight
@see #AppCompatTheme_colorControlNormal
@see #AppCompatTheme_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_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, 0x7f010034, 0x7f010035,
0x7f010036, 0x7f010037, 0x7f010038, 0x7f010039,
0x7f01003a, 0x7f01003b, 0x7f01003c, 0x7f01003d,
0x7f01003e, 0x7f01003f, 0x7f010040, 0x7f010041,
0x7f010042, 0x7f010043, 0x7f010044, 0x7f010045,
0x7f010046, 0x7f010047, 0x7f010048, 0x7f010049,
0x7f01004a, 0x7f01004b, 0x7f01004c, 0x7f01004d,
0x7f01004e, 0x7f01004f, 0x7f010050, 0x7f010051,
0x7f010052, 0x7f010053, 0x7f010054, 0x7f010055,
0x7f010056, 0x7f010057, 0x7f010058, 0x7f010059,
0x7f01005a, 0x7f01005b, 0x7f01005c, 0x7f01005d,
0x7f01005e, 0x7f01005f, 0x7f010060, 0x7f010061,
0x7f010062, 0x7f010063, 0x7f010064, 0x7f010065,
0x7f010066, 0x7f010067, 0x7f010068, 0x7f010069,
0x7f01006a, 0x7f01006b, 0x7f01006c, 0x7f01006d,
0x7f01006e, 0x7f01006f, 0x7f010070, 0x7f010071,
0x7f010072, 0x7f010073, 0x7f010074, 0x7f010075,
0x7f010076, 0x7f010077, 0x7f010078, 0x7f010079,
0x7f01007a, 0x7f01007b, 0x7f01007c, 0x7f01007d,
0x7f01007e, 0x7f01007f, 0x7f010080, 0x7f010081,
0x7f010082, 0x7f010083, 0x7f010084, 0x7f010085,
0x7f010086, 0x7f010087, 0x7f010088, 0x7f010089,
0x7f01008a, 0x7f01008b, 0x7f01008c, 0x7f01008d,
0x7f01008e, 0x7f01008f, 0x7f010090, 0x7f010091,
0x7f010092, 0x7f010093, 0x7f010094, 0x7f010095,
0x7f010096, 0x7f010097, 0x7f010098, 0x7f010099,
0x7f01009a, 0x7f01009b, 0x7f01009c, 0x7f01009d,
0x7f01009e, 0x7f01009f, 0x7f0100a0, 0x7f0100a1,
0x7f0100a2, 0x7f0100a3, 0x7f0100a4, 0x7f0100a5,
0x7f0100a6, 0x7f0100a7, 0x7f0100a8
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarDivider}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarDivider
*/
public static int AppCompatTheme_actionBarDivider = 23;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarItemBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarItemBackground
*/
public static int AppCompatTheme_actionBarItemBackground = 24;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarPopupTheme}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarPopupTheme
*/
public static int AppCompatTheme_actionBarPopupTheme = 17;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarSize}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
<p>May be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>wrap_content</code></td><td>0</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:actionBarSize
*/
public static int AppCompatTheme_actionBarSize = 22;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarSplitStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarSplitStyle
*/
public static int AppCompatTheme_actionBarSplitStyle = 19;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarStyle
*/
public static int AppCompatTheme_actionBarStyle = 18;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarTabBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarTabBarStyle
*/
public static int AppCompatTheme_actionBarTabBarStyle = 13;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarTabStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarTabStyle
*/
public static int AppCompatTheme_actionBarTabStyle = 12;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarTabTextStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarTabTextStyle
*/
public static int AppCompatTheme_actionBarTabTextStyle = 14;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarTheme}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarTheme
*/
public static int AppCompatTheme_actionBarTheme = 20;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionBarWidgetTheme}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionBarWidgetTheme
*/
public static int AppCompatTheme_actionBarWidgetTheme = 21;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionButtonStyle
*/
public static int AppCompatTheme_actionButtonStyle = 50;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionDropDownStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionDropDownStyle
*/
public static int AppCompatTheme_actionDropDownStyle = 46;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionMenuTextAppearance}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionMenuTextAppearance
*/
public static int AppCompatTheme_actionMenuTextAppearance = 25;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionMenuTextColor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:actionMenuTextColor
*/
public static int AppCompatTheme_actionMenuTextColor = 26;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeBackground
*/
public static int AppCompatTheme_actionModeBackground = 29;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeCloseButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeCloseButtonStyle
*/
public static int AppCompatTheme_actionModeCloseButtonStyle = 28;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeCloseDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeCloseDrawable
*/
public static int AppCompatTheme_actionModeCloseDrawable = 31;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeCopyDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeCopyDrawable
*/
public static int AppCompatTheme_actionModeCopyDrawable = 33;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeCutDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeCutDrawable
*/
public static int AppCompatTheme_actionModeCutDrawable = 32;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeFindDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeFindDrawable
*/
public static int AppCompatTheme_actionModeFindDrawable = 37;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModePasteDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModePasteDrawable
*/
public static int AppCompatTheme_actionModePasteDrawable = 34;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModePopupWindowStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModePopupWindowStyle
*/
public static int AppCompatTheme_actionModePopupWindowStyle = 39;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeSelectAllDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeSelectAllDrawable
*/
public static int AppCompatTheme_actionModeSelectAllDrawable = 35;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeShareDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeShareDrawable
*/
public static int AppCompatTheme_actionModeShareDrawable = 36;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeSplitBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeSplitBackground
*/
public static int AppCompatTheme_actionModeSplitBackground = 30;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeStyle
*/
public static int AppCompatTheme_actionModeStyle = 27;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionModeWebSearchDrawable}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionModeWebSearchDrawable
*/
public static int AppCompatTheme_actionModeWebSearchDrawable = 38;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionOverflowButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionOverflowButtonStyle
*/
public static int AppCompatTheme_actionOverflowButtonStyle = 15;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionOverflowMenuStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionOverflowMenuStyle
*/
public static int AppCompatTheme_actionOverflowMenuStyle = 16;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#activityChooserViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:activityChooserViewStyle
*/
public static int AppCompatTheme_activityChooserViewStyle = 58;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#alertDialogButtonGroupStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:alertDialogButtonGroupStyle
*/
public static int AppCompatTheme_alertDialogButtonGroupStyle = 95;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#alertDialogCenterButtons}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:alertDialogCenterButtons
*/
public static int AppCompatTheme_alertDialogCenterButtons = 96;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#alertDialogStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:alertDialogStyle
*/
public static int AppCompatTheme_alertDialogStyle = 94;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#alertDialogTheme}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:alertDialogTheme
*/
public static int AppCompatTheme_alertDialogTheme = 97;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
@attr name android:windowAnimationStyle
*/
public static int AppCompatTheme_android_windowAnimationStyle = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowIsFloating}
attribute's value can be found in the {@link #AppCompatTheme} array.
@attr name android:windowIsFloating
*/
public static int AppCompatTheme_android_windowIsFloating = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#autoCompleteTextViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:autoCompleteTextViewStyle
*/
public static int AppCompatTheme_autoCompleteTextViewStyle = 102;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#borderlessButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:borderlessButtonStyle
*/
public static int AppCompatTheme_borderlessButtonStyle = 55;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonBarButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonBarButtonStyle
*/
public static int AppCompatTheme_buttonBarButtonStyle = 52;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonBarNegativeButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonBarNegativeButtonStyle
*/
public static int AppCompatTheme_buttonBarNegativeButtonStyle = 100;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonBarNeutralButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonBarNeutralButtonStyle
*/
public static int AppCompatTheme_buttonBarNeutralButtonStyle = 101;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonBarPositiveButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonBarPositiveButtonStyle
*/
public static int AppCompatTheme_buttonBarPositiveButtonStyle = 99;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonBarStyle
*/
public static int AppCompatTheme_buttonBarStyle = 51;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonStyle
*/
public static int AppCompatTheme_buttonStyle = 103;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonStyleSmall}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:buttonStyleSmall
*/
public static int AppCompatTheme_buttonStyleSmall = 104;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#checkboxStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:checkboxStyle
*/
public static int AppCompatTheme_checkboxStyle = 105;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#checkedTextViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:checkedTextViewStyle
*/
public static int AppCompatTheme_checkedTextViewStyle = 106;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorAccent}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorAccent
*/
public static int AppCompatTheme_colorAccent = 86;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorBackgroundFloating}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorBackgroundFloating
*/
public static int AppCompatTheme_colorBackgroundFloating = 93;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorButtonNormal}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorButtonNormal
*/
public static int AppCompatTheme_colorButtonNormal = 90;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorControlActivated}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorControlActivated
*/
public static int AppCompatTheme_colorControlActivated = 88;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorControlHighlight}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorControlHighlight
*/
public static int AppCompatTheme_colorControlHighlight = 89;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorControlNormal}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorControlNormal
*/
public static int AppCompatTheme_colorControlNormal = 87;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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 to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:colorError
*/
public static int AppCompatTheme_colorError = 118;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorPrimary}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorPrimary
*/
public static int AppCompatTheme_colorPrimary = 84;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorPrimaryDark}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorPrimaryDark
*/
public static int AppCompatTheme_colorPrimaryDark = 85;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#colorSwitchThumbNormal}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:colorSwitchThumbNormal
*/
public static int AppCompatTheme_colorSwitchThumbNormal = 91;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#controlBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:controlBackground
*/
public static int AppCompatTheme_controlBackground = 92;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dialogPreferredPadding}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:dialogPreferredPadding
*/
public static int AppCompatTheme_dialogPreferredPadding = 44;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dialogTheme}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:dialogTheme
*/
public static int AppCompatTheme_dialogTheme = 43;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dividerHorizontal}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:dividerHorizontal
*/
public static int AppCompatTheme_dividerHorizontal = 57;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dividerVertical}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:dividerVertical
*/
public static int AppCompatTheme_dividerVertical = 56;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dropDownListViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:dropDownListViewStyle
*/
public static int AppCompatTheme_dropDownListViewStyle = 75;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dropdownListPreferredItemHeight}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:dropdownListPreferredItemHeight
*/
public static int AppCompatTheme_dropdownListPreferredItemHeight = 47;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#editTextBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:editTextBackground
*/
public static int AppCompatTheme_editTextBackground = 64;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#editTextColor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:editTextColor
*/
public static int AppCompatTheme_editTextColor = 63;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#editTextStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:editTextStyle
*/
public static int AppCompatTheme_editTextStyle = 107;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#homeAsUpIndicator}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:homeAsUpIndicator
*/
public static int AppCompatTheme_homeAsUpIndicator = 49;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#imageButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:imageButtonStyle
*/
public static int AppCompatTheme_imageButtonStyle = 65;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listChoiceBackgroundIndicator}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:listChoiceBackgroundIndicator
*/
public static int AppCompatTheme_listChoiceBackgroundIndicator = 83;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listDividerAlertDialog}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:listDividerAlertDialog
*/
public static int AppCompatTheme_listDividerAlertDialog = 45;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listMenuViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:listMenuViewStyle
*/
public static int AppCompatTheme_listMenuViewStyle = 115;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listPopupWindowStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:listPopupWindowStyle
*/
public static int AppCompatTheme_listPopupWindowStyle = 76;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listPreferredItemHeight}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:listPreferredItemHeight
*/
public static int AppCompatTheme_listPreferredItemHeight = 70;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listPreferredItemHeightLarge}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:listPreferredItemHeightLarge
*/
public static int AppCompatTheme_listPreferredItemHeightLarge = 72;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listPreferredItemHeightSmall}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:listPreferredItemHeightSmall
*/
public static int AppCompatTheme_listPreferredItemHeightSmall = 71;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listPreferredItemPaddingLeft}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:listPreferredItemPaddingLeft
*/
public static int AppCompatTheme_listPreferredItemPaddingLeft = 73;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#listPreferredItemPaddingRight}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:listPreferredItemPaddingRight
*/
public static int AppCompatTheme_listPreferredItemPaddingRight = 74;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#panelBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:panelBackground
*/
public static int AppCompatTheme_panelBackground = 80;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#panelMenuListTheme}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:panelMenuListTheme
*/
public static int AppCompatTheme_panelMenuListTheme = 82;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#panelMenuListWidth}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:panelMenuListWidth
*/
public static int AppCompatTheme_panelMenuListWidth = 81;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#popupMenuStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:popupMenuStyle
*/
public static int AppCompatTheme_popupMenuStyle = 61;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#popupWindowStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:popupWindowStyle
*/
public static int AppCompatTheme_popupWindowStyle = 62;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#radioButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:radioButtonStyle
*/
public static int AppCompatTheme_radioButtonStyle = 108;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#ratingBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:ratingBarStyle
*/
public static int AppCompatTheme_ratingBarStyle = 109;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#ratingBarStyleIndicator}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:ratingBarStyleIndicator
*/
public static int AppCompatTheme_ratingBarStyleIndicator = 110;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#ratingBarStyleSmall}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:ratingBarStyleSmall
*/
public static int AppCompatTheme_ratingBarStyleSmall = 111;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#searchViewStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:searchViewStyle
*/
public static int AppCompatTheme_searchViewStyle = 69;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#seekBarStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:seekBarStyle
*/
public static int AppCompatTheme_seekBarStyle = 112;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#selectableItemBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:selectableItemBackground
*/
public static int AppCompatTheme_selectableItemBackground = 53;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#selectableItemBackgroundBorderless}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:selectableItemBackgroundBorderless
*/
public static int AppCompatTheme_selectableItemBackgroundBorderless = 54;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#spinnerDropDownItemStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:spinnerDropDownItemStyle
*/
public static int AppCompatTheme_spinnerDropDownItemStyle = 48;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#spinnerStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:spinnerStyle
*/
public static int AppCompatTheme_spinnerStyle = 113;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#switchStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:switchStyle
*/
public static int AppCompatTheme_switchStyle = 114;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceLargePopupMenu}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceLargePopupMenu
*/
public static int AppCompatTheme_textAppearanceLargePopupMenu = 40;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceListItem}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceListItem
*/
public static int AppCompatTheme_textAppearanceListItem = 77;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceListItemSecondary}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceListItemSecondary
*/
public static int AppCompatTheme_textAppearanceListItemSecondary = 78;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceListItemSmall}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceListItemSmall
*/
public static int AppCompatTheme_textAppearanceListItemSmall = 79;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearancePopupMenuHeader}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearancePopupMenuHeader
*/
public static int AppCompatTheme_textAppearancePopupMenuHeader = 42;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceSearchResultSubtitle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceSearchResultSubtitle
*/
public static int AppCompatTheme_textAppearanceSearchResultSubtitle = 67;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceSearchResultTitle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceSearchResultTitle
*/
public static int AppCompatTheme_textAppearanceSearchResultTitle = 66;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAppearanceSmallPopupMenu}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:textAppearanceSmallPopupMenu
*/
public static int AppCompatTheme_textAppearanceSmallPopupMenu = 41;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textColorAlertDialogListItem}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:textColorAlertDialogListItem
*/
public static int AppCompatTheme_textColorAlertDialogListItem = 98;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textColorSearchUrl}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:textColorSearchUrl
*/
public static int AppCompatTheme_textColorSearchUrl = 68;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#toolbarNavigationButtonStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:toolbarNavigationButtonStyle
*/
public static int AppCompatTheme_toolbarNavigationButtonStyle = 60;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#toolbarStyle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:toolbarStyle
*/
public static int AppCompatTheme_toolbarStyle = 59;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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 to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
@attr name com.airbnb.android.react.lottie:tooltipForegroundColor
*/
public static int AppCompatTheme_tooltipForegroundColor = 117;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#tooltipFrameBackground}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:tooltipFrameBackground
*/
public static int AppCompatTheme_tooltipFrameBackground = 116;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowActionBar}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowActionBar
*/
public static int AppCompatTheme_windowActionBar = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowActionBarOverlay}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowActionBarOverlay
*/
public static int AppCompatTheme_windowActionBarOverlay = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowActionModeOverlay}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowActionModeOverlay
*/
public static int AppCompatTheme_windowActionModeOverlay = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowFixedHeightMajor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowFixedHeightMajor
*/
public static int AppCompatTheme_windowFixedHeightMajor = 9;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowFixedHeightMinor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowFixedHeightMinor
*/
public static int AppCompatTheme_windowFixedHeightMinor = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowFixedWidthMajor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowFixedWidthMajor
*/
public static int AppCompatTheme_windowFixedWidthMajor = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowFixedWidthMinor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowFixedWidthMinor
*/
public static int AppCompatTheme_windowFixedWidthMinor = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowMinWidthMajor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowMinWidthMajor
*/
public static int AppCompatTheme_windowMinWidthMajor = 10;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowMinWidthMinor}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>May be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>May be a fractional value, which is a floating point number appended with either % or %p, such as "<code>14.5%</code>".
The % suffix always means a percentage of the base size; the optional %p suffix provides a size relative to
some parent container.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowMinWidthMinor
*/
public static int AppCompatTheme_windowMinWidthMinor = 11;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#windowNoTitle}
attribute's value can be found in the {@link #AppCompatTheme} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:windowNoTitle
*/
public static int AppCompatTheme_windowNoTitle = 3;
/** 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.airbnb.android.react.lottie:allowStacking}</code></td><td></td></tr>
</table>
@see #ButtonBarLayout_allowStacking
*/
public static final int[] ButtonBarLayout = {
0x7f0100a9
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#allowStacking}
attribute's value can be found in the {@link #ButtonBarLayout} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:allowStacking
*/
public static int ButtonBarLayout_allowStacking = 0;
/** Attributes that can be used with a ColorStateListItem.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ColorStateListItem_alpha com.airbnb.android.react.lottie:alpha}</code></td><td></td></tr>
<tr><td><code>{@link #ColorStateListItem_android_alpha android:alpha}</code></td><td></td></tr>
<tr><td><code>{@link #ColorStateListItem_android_color android:color}</code></td><td></td></tr>
</table>
@see #ColorStateListItem_alpha
@see #ColorStateListItem_android_alpha
@see #ColorStateListItem_android_color
*/
public static final int[] ColorStateListItem = {
0x010101a5, 0x0101031f, 0x7f0100aa
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#alpha}
attribute's value can be found in the {@link #ColorStateListItem} array.
<p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:alpha
*/
public static int ColorStateListItem_alpha = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#alpha}
attribute's value can be found in the {@link #ColorStateListItem} array.
@attr name android:alpha
*/
public static int ColorStateListItem_android_alpha = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#color}
attribute's value can be found in the {@link #ColorStateListItem} array.
@attr name android:color
*/
public static int ColorStateListItem_android_color = 0;
/** Attributes that can be used with a CompoundButton.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTint com.airbnb.android.react.lottie:buttonTint}</code></td><td></td></tr>
<tr><td><code>{@link #CompoundButton_buttonTintMode com.airbnb.android.react.lottie:buttonTintMode}</code></td><td></td></tr>
</table>
@see #CompoundButton_android_button
@see #CompoundButton_buttonTint
@see #CompoundButton_buttonTintMode
*/
public static final int[] CompoundButton = {
0x01010107, 0x7f0100ab, 0x7f0100ac
};
/**
<p>This symbol is the offset where the {@link android.R.attr#button}
attribute's value can be found in the {@link #CompoundButton} array.
@attr name android:button
*/
public static int CompoundButton_android_button = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonTint}
attribute's value can be found in the {@link #CompoundButton} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:buttonTint
*/
public static int CompoundButton_buttonTint = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonTintMode}
attribute's value can be found in the {@link #CompoundButton} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:buttonTintMode
*/
public static int CompoundButton_buttonTintMode = 2;
/** Attributes that can be used with a DrawerArrowToggle.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowHeadLength com.airbnb.android.react.lottie:arrowHeadLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength com.airbnb.android.react.lottie:arrowShaftLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_barLength com.airbnb.android.react.lottie:barLength}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_color com.airbnb.android.react.lottie:color}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_drawableSize com.airbnb.android.react.lottie:drawableSize}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars com.airbnb.android.react.lottie:gapBetweenBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_spinBars com.airbnb.android.react.lottie:spinBars}</code></td><td></td></tr>
<tr><td><code>{@link #DrawerArrowToggle_thickness com.airbnb.android.react.lottie: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 = {
0x7f0100ad, 0x7f0100ae, 0x7f0100af, 0x7f0100b0,
0x7f0100b1, 0x7f0100b2, 0x7f0100b3, 0x7f0100b4
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#arrowHeadLength}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:arrowHeadLength
*/
public static int DrawerArrowToggle_arrowHeadLength = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#arrowShaftLength}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:arrowShaftLength
*/
public static int DrawerArrowToggle_arrowShaftLength = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#barLength}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:barLength
*/
public static int DrawerArrowToggle_barLength = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#color}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:color
*/
public static int DrawerArrowToggle_color = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#drawableSize}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:drawableSize
*/
public static int DrawerArrowToggle_drawableSize = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#gapBetweenBars}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:gapBetweenBars
*/
public static int DrawerArrowToggle_gapBetweenBars = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#spinBars}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:spinBars
*/
public static int DrawerArrowToggle_spinBars = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#thickness}
attribute's value can be found in the {@link #DrawerArrowToggle} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:thickness
*/
public static int DrawerArrowToggle_thickness = 7;
/** 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.airbnb.android.react.lottie:fontProviderAuthority}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamily_fontProviderCerts com.airbnb.android.react.lottie:fontProviderCerts}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamily_fontProviderFetchStrategy com.airbnb.android.react.lottie:fontProviderFetchStrategy}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamily_fontProviderFetchTimeout com.airbnb.android.react.lottie:fontProviderFetchTimeout}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamily_fontProviderPackage com.airbnb.android.react.lottie:fontProviderPackage}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamily_fontProviderQuery com.airbnb.android.react.lottie: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 = {
0x7f0100b5, 0x7f0100b6, 0x7f0100b7, 0x7f0100b8,
0x7f0100b9, 0x7f0100ba
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontProviderAuthority}
attribute's value can be found in the {@link #FontFamily} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:fontProviderAuthority
*/
public static int FontFamily_fontProviderAuthority = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontProviderCerts}
attribute's value can be found in the {@link #FontFamily} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:fontProviderCerts
*/
public static int FontFamily_fontProviderCerts = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>blocking</code></td><td>0</td><td></td></tr>
<tr><td><code>async</code></td><td>1</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:fontProviderFetchStrategy
*/
public static int FontFamily_fontProviderFetchStrategy = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
<p>May be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>forever</code></td><td>-1</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:fontProviderFetchTimeout
*/
public static int FontFamily_fontProviderFetchTimeout = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontProviderPackage}
attribute's value can be found in the {@link #FontFamily} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:fontProviderPackage
*/
public static int FontFamily_fontProviderPackage = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontProviderQuery}
attribute's value can be found in the {@link #FontFamily} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:fontProviderQuery
*/
public static int FontFamily_fontProviderQuery = 2;
/** 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_font com.airbnb.android.react.lottie:font}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamilyFont_fontStyle com.airbnb.android.react.lottie:fontStyle}</code></td><td></td></tr>
<tr><td><code>{@link #FontFamilyFont_fontWeight com.airbnb.android.react.lottie:fontWeight}</code></td><td></td></tr>
</table>
@see #FontFamilyFont_font
@see #FontFamilyFont_fontStyle
@see #FontFamilyFont_fontWeight
*/
public static final int[] FontFamilyFont = {
0x7f0100bb, 0x7f0100bc, 0x7f0100bd
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#font}
attribute's value can be found in the {@link #FontFamilyFont} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:font
*/
public static int FontFamilyFont_font = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>normal</code></td><td>0</td><td></td></tr>
<tr><td><code>italic</code></td><td>1</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:fontStyle
*/
public static int FontFamilyFont_fontStyle = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontWeight}
attribute's value can be found in the {@link #FontFamilyFont} array.
<p>Must be an integer value, such as "<code>100</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:fontWeight
*/
public static int FontFamilyFont_fontWeight = 2;
/** Attributes that can be used with a LinearLayoutCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_baselineAligned android:baselineAligned}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_baselineAlignedChildIndex android:baselineAlignedChildIndex}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_gravity android:gravity}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_orientation android:orientation}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_android_weightSum android:weightSum}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_divider com.airbnb.android.react.lottie:divider}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_dividerPadding com.airbnb.android.react.lottie:dividerPadding}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild com.airbnb.android.react.lottie:measureWithLargestChild}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_showDividers com.airbnb.android.react.lottie:showDividers}</code></td><td></td></tr>
</table>
@see #LinearLayoutCompat_android_baselineAligned
@see #LinearLayoutCompat_android_baselineAlignedChildIndex
@see #LinearLayoutCompat_android_gravity
@see #LinearLayoutCompat_android_orientation
@see #LinearLayoutCompat_android_weightSum
@see #LinearLayoutCompat_divider
@see #LinearLayoutCompat_dividerPadding
@see #LinearLayoutCompat_measureWithLargestChild
@see #LinearLayoutCompat_showDividers
*/
public static final int[] LinearLayoutCompat = {
0x010100af, 0x010100c4, 0x01010126, 0x01010127,
0x01010128, 0x7f01000b, 0x7f0100be, 0x7f0100bf,
0x7f0100c0
};
/**
<p>This symbol is the offset where the {@link android.R.attr#baselineAligned}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:baselineAligned
*/
public static int LinearLayoutCompat_android_baselineAligned = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#baselineAlignedChildIndex}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:baselineAlignedChildIndex
*/
public static int LinearLayoutCompat_android_baselineAlignedChildIndex = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#gravity}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:gravity
*/
public static int LinearLayoutCompat_android_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#orientation}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:orientation
*/
public static int LinearLayoutCompat_android_orientation = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#weightSum}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
@attr name android:weightSum
*/
public static int LinearLayoutCompat_android_weightSum = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#divider}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:divider
*/
public static int LinearLayoutCompat_divider = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#dividerPadding}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:dividerPadding
*/
public static int LinearLayoutCompat_dividerPadding = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#measureWithLargestChild}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:measureWithLargestChild
*/
public static int LinearLayoutCompat_measureWithLargestChild = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#showDividers}
attribute's value can be found in the {@link #LinearLayoutCompat} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>beginning</code></td><td>1</td><td></td></tr>
<tr><td><code>middle</code></td><td>2</td><td></td></tr>
<tr><td><code>end</code></td><td>4</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:showDividers
*/
public static int LinearLayoutCompat_showDividers = 7;
/** Attributes that can be used with a LinearLayoutCompat_Layout.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_height android:layout_height}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_weight android:layout_weight}</code></td><td></td></tr>
<tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_width android:layout_width}</code></td><td></td></tr>
</table>
@see #LinearLayoutCompat_Layout_android_layout_gravity
@see #LinearLayoutCompat_Layout_android_layout_height
@see #LinearLayoutCompat_Layout_android_layout_weight
@see #LinearLayoutCompat_Layout_android_layout_width
*/
public static final int[] LinearLayoutCompat_Layout = {
0x010100b3, 0x010100f4, 0x010100f5, 0x01010181
};
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_gravity}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_gravity
*/
public static int LinearLayoutCompat_Layout_android_layout_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_height}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_height
*/
public static int LinearLayoutCompat_Layout_android_layout_height = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_weight}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_weight
*/
public static int LinearLayoutCompat_Layout_android_layout_weight = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout_width}
attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array.
@attr name android:layout_width
*/
public static int LinearLayoutCompat_Layout_android_layout_width = 1;
/** Attributes that can be used with a ListPopupWindow.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ListPopupWindow_android_dropDownHorizontalOffset android:dropDownHorizontalOffset}</code></td><td></td></tr>
<tr><td><code>{@link #ListPopupWindow_android_dropDownVerticalOffset android:dropDownVerticalOffset}</code></td><td></td></tr>
</table>
@see #ListPopupWindow_android_dropDownHorizontalOffset
@see #ListPopupWindow_android_dropDownVerticalOffset
*/
public static final int[] ListPopupWindow = {
0x010102ac, 0x010102ad
};
/**
<p>This symbol is the offset where the {@link android.R.attr#dropDownHorizontalOffset}
attribute's value can be found in the {@link #ListPopupWindow} array.
@attr name android:dropDownHorizontalOffset
*/
public static int ListPopupWindow_android_dropDownHorizontalOffset = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#dropDownVerticalOffset}
attribute's value can be found in the {@link #ListPopupWindow} array.
@attr name android:dropDownVerticalOffset
*/
public static int ListPopupWindow_android_dropDownVerticalOffset = 1;
/** Attributes that can be used with a LottieAnimationView.
<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 #LottieAnimationView_lottie_autoPlay com.airbnb.android.react.lottie:lottie_autoPlay}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_cacheStrategy com.airbnb.android.react.lottie:lottie_cacheStrategy}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_colorFilter com.airbnb.android.react.lottie:lottie_colorFilter}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_enableMergePathsForKitKatAndAbove com.airbnb.android.react.lottie:lottie_enableMergePathsForKitKatAndAbove}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_fileName com.airbnb.android.react.lottie:lottie_fileName}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_imageAssetsFolder com.airbnb.android.react.lottie:lottie_imageAssetsFolder}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_loop com.airbnb.android.react.lottie:lottie_loop}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_progress com.airbnb.android.react.lottie:lottie_progress}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_rawRes com.airbnb.android.react.lottie:lottie_rawRes}</code></td><td></td></tr>
<tr><td><code>{@link #LottieAnimationView_lottie_scale com.airbnb.android.react.lottie:lottie_scale}</code></td><td></td></tr>
</table>
@see #LottieAnimationView_lottie_autoPlay
@see #LottieAnimationView_lottie_cacheStrategy
@see #LottieAnimationView_lottie_colorFilter
@see #LottieAnimationView_lottie_enableMergePathsForKitKatAndAbove
@see #LottieAnimationView_lottie_fileName
@see #LottieAnimationView_lottie_imageAssetsFolder
@see #LottieAnimationView_lottie_loop
@see #LottieAnimationView_lottie_progress
@see #LottieAnimationView_lottie_rawRes
@see #LottieAnimationView_lottie_scale
*/
public static final int[] LottieAnimationView = {
0x7f0100c1, 0x7f0100c2, 0x7f0100c3, 0x7f0100c4,
0x7f0100c5, 0x7f0100c6, 0x7f0100c7, 0x7f0100c8,
0x7f0100c9, 0x7f0100ca
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_autoPlay}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_autoPlay
*/
public static int LottieAnimationView_lottie_autoPlay = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_cacheStrategy}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>none</code></td><td>0</td><td></td></tr>
<tr><td><code>weak</code></td><td>1</td><td></td></tr>
<tr><td><code>strong</code></td><td>2</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:lottie_cacheStrategy
*/
public static int LottieAnimationView_lottie_cacheStrategy = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_colorFilter}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_colorFilter
*/
public static int LottieAnimationView_lottie_colorFilter = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_enableMergePathsForKitKatAndAbove}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_enableMergePathsForKitKatAndAbove
*/
public static int LottieAnimationView_lottie_enableMergePathsForKitKatAndAbove = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_fileName}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_fileName
*/
public static int LottieAnimationView_lottie_fileName = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_imageAssetsFolder}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_imageAssetsFolder
*/
public static int LottieAnimationView_lottie_imageAssetsFolder = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_loop}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_loop
*/
public static int LottieAnimationView_lottie_loop = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_progress}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_progress
*/
public static int LottieAnimationView_lottie_progress = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_rawRes}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:lottie_rawRes
*/
public static int LottieAnimationView_lottie_rawRes = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#lottie_scale}
attribute's value can be found in the {@link #LottieAnimationView} array.
<p>Must be a floating point value, such as "<code>1.2</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:lottie_scale
*/
public static int LottieAnimationView_lottie_scale = 9;
/** Attributes that can be used with a MenuGroup.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_enabled android:enabled}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_menuCategory android:menuCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuGroup_android_visible android:visible}</code></td><td></td></tr>
</table>
@see #MenuGroup_android_checkableBehavior
@see #MenuGroup_android_enabled
@see #MenuGroup_android_id
@see #MenuGroup_android_menuCategory
@see #MenuGroup_android_orderInCategory
@see #MenuGroup_android_visible
*/
public static final int[] MenuGroup = {
0x0101000e, 0x010100d0, 0x01010194, 0x010101de,
0x010101df, 0x010101e0
};
/**
<p>This symbol is the offset where the {@link android.R.attr#checkableBehavior}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:checkableBehavior
*/
public static int MenuGroup_android_checkableBehavior = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#enabled}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:enabled
*/
public static int MenuGroup_android_enabled = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#id}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:id
*/
public static int MenuGroup_android_id = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#menuCategory}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:menuCategory
*/
public static int MenuGroup_android_menuCategory = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#orderInCategory}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:orderInCategory
*/
public static int MenuGroup_android_orderInCategory = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#visible}
attribute's value can be found in the {@link #MenuGroup} array.
@attr name android:visible
*/
public static int MenuGroup_android_visible = 2;
/** Attributes that can be used with a MenuItem.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuItem_actionLayout com.airbnb.android.react.lottie:actionLayout}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionProviderClass com.airbnb.android.react.lottie:actionProviderClass}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_actionViewClass com.airbnb.android.react.lottie:actionViewClass}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_alphabeticModifiers com.airbnb.android.react.lottie:alphabeticModifiers}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_alphabeticShortcut android:alphabeticShortcut}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_checkable android:checkable}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_checked android:checked}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_enabled android:enabled}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_icon android:icon}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_menuCategory android:menuCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_numericShortcut android:numericShortcut}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_onClick android:onClick}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_orderInCategory android:orderInCategory}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_title android:title}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_titleCondensed android:titleCondensed}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_android_visible android:visible}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_contentDescription com.airbnb.android.react.lottie:contentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_iconTint com.airbnb.android.react.lottie:iconTint}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_iconTintMode com.airbnb.android.react.lottie:iconTintMode}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_numericModifiers com.airbnb.android.react.lottie:numericModifiers}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_showAsAction com.airbnb.android.react.lottie:showAsAction}</code></td><td></td></tr>
<tr><td><code>{@link #MenuItem_tooltipText com.airbnb.android.react.lottie:tooltipText}</code></td><td></td></tr>
</table>
@see #MenuItem_actionLayout
@see #MenuItem_actionProviderClass
@see #MenuItem_actionViewClass
@see #MenuItem_alphabeticModifiers
@see #MenuItem_android_alphabeticShortcut
@see #MenuItem_android_checkable
@see #MenuItem_android_checked
@see #MenuItem_android_enabled
@see #MenuItem_android_icon
@see #MenuItem_android_id
@see #MenuItem_android_menuCategory
@see #MenuItem_android_numericShortcut
@see #MenuItem_android_onClick
@see #MenuItem_android_orderInCategory
@see #MenuItem_android_title
@see #MenuItem_android_titleCondensed
@see #MenuItem_android_visible
@see #MenuItem_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, 0x7f0100cb, 0x7f0100cc, 0x7f0100cd,
0x7f0100ce, 0x7f0100cf, 0x7f0100d0, 0x7f0100d1,
0x7f0100d2, 0x7f0100d3, 0x7f0100d4
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionLayout}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:actionLayout
*/
public static int MenuItem_actionLayout = 16;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionProviderClass}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:actionProviderClass
*/
public static int MenuItem_actionProviderClass = 18;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#actionViewClass}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:actionViewClass
*/
public static int MenuItem_actionViewClass = 17;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>META</code></td><td>0x10000</td><td></td></tr>
<tr><td><code>CTRL</code></td><td>0x1000</td><td></td></tr>
<tr><td><code>ALT</code></td><td>0x02</td><td></td></tr>
<tr><td><code>SHIFT</code></td><td>0x1</td><td></td></tr>
<tr><td><code>SYM</code></td><td>0x4</td><td></td></tr>
<tr><td><code>FUNCTION</code></td><td>0x8</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:alphabeticModifiers
*/
public static int MenuItem_alphabeticModifiers = 13;
/**
<p>This symbol is the offset where the {@link android.R.attr#alphabeticShortcut}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:alphabeticShortcut
*/
public static int MenuItem_android_alphabeticShortcut = 9;
/**
<p>This symbol is the offset where the {@link android.R.attr#checkable}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:checkable
*/
public static int MenuItem_android_checkable = 11;
/**
<p>This symbol is the offset where the {@link android.R.attr#checked}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:checked
*/
public static int MenuItem_android_checked = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#enabled}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:enabled
*/
public static int MenuItem_android_enabled = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#icon}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:icon
*/
public static int MenuItem_android_icon = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#id}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:id
*/
public static int MenuItem_android_id = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#menuCategory}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:menuCategory
*/
public static int MenuItem_android_menuCategory = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#numericShortcut}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:numericShortcut
*/
public static int MenuItem_android_numericShortcut = 10;
/**
<p>This symbol is the offset where the {@link android.R.attr#onClick}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:onClick
*/
public static int MenuItem_android_onClick = 12;
/**
<p>This symbol is the offset where the {@link android.R.attr#orderInCategory}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:orderInCategory
*/
public static int MenuItem_android_orderInCategory = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#title}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:title
*/
public static int MenuItem_android_title = 7;
/**
<p>This symbol is the offset where the {@link android.R.attr#titleCondensed}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:titleCondensed
*/
public static int MenuItem_android_titleCondensed = 8;
/**
<p>This symbol is the offset where the {@link android.R.attr#visible}
attribute's value can be found in the {@link #MenuItem} array.
@attr name android:visible
*/
public static int MenuItem_android_visible = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentDescription}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentDescription
*/
public static int MenuItem_contentDescription = 19;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#iconTint}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:iconTint
*/
public static int MenuItem_iconTint = 21;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:iconTintMode
*/
public static int MenuItem_iconTintMode = 22;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.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><code>META</code></td><td>0x10000</td><td></td></tr>
<tr><td><code>CTRL</code></td><td>0x1000</td><td></td></tr>
<tr><td><code>ALT</code></td><td>0x02</td><td></td></tr>
<tr><td><code>SHIFT</code></td><td>0x1</td><td></td></tr>
<tr><td><code>SYM</code></td><td>0x4</td><td></td></tr>
<tr><td><code>FUNCTION</code></td><td>0x8</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:numericModifiers
*/
public static int MenuItem_numericModifiers = 14;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#showAsAction}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>never</code></td><td>0</td><td></td></tr>
<tr><td><code>ifRoom</code></td><td>1</td><td></td></tr>
<tr><td><code>always</code></td><td>2</td><td></td></tr>
<tr><td><code>withText</code></td><td>4</td><td></td></tr>
<tr><td><code>collapseActionView</code></td><td>8</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:showAsAction
*/
public static int MenuItem_showAsAction = 15;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#tooltipText}
attribute's value can be found in the {@link #MenuItem} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:tooltipText
*/
public static int MenuItem_tooltipText = 20;
/** Attributes that can be used with a MenuView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #MenuView_android_headerBackground android:headerBackground}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_horizontalDivider android:horizontalDivider}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_itemBackground android:itemBackground}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_itemIconDisabledAlpha android:itemIconDisabledAlpha}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_itemTextAppearance android:itemTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_verticalDivider android:verticalDivider}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_preserveIconSpacing com.airbnb.android.react.lottie:preserveIconSpacing}</code></td><td></td></tr>
<tr><td><code>{@link #MenuView_subMenuArrow com.airbnb.android.react.lottie:subMenuArrow}</code></td><td></td></tr>
</table>
@see #MenuView_android_headerBackground
@see #MenuView_android_horizontalDivider
@see #MenuView_android_itemBackground
@see #MenuView_android_itemIconDisabledAlpha
@see #MenuView_android_itemTextAppearance
@see #MenuView_android_verticalDivider
@see #MenuView_android_windowAnimationStyle
@see #MenuView_preserveIconSpacing
@see #MenuView_subMenuArrow
*/
public static final int[] MenuView = {
0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e,
0x0101012f, 0x01010130, 0x01010131, 0x7f0100d5,
0x7f0100d6
};
/**
<p>This symbol is the offset where the {@link android.R.attr#headerBackground}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:headerBackground
*/
public static int MenuView_android_headerBackground = 4;
/**
<p>This symbol is the offset where the {@link android.R.attr#horizontalDivider}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:horizontalDivider
*/
public static int MenuView_android_horizontalDivider = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#itemBackground}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:itemBackground
*/
public static int MenuView_android_itemBackground = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#itemIconDisabledAlpha}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:itemIconDisabledAlpha
*/
public static int MenuView_android_itemIconDisabledAlpha = 6;
/**
<p>This symbol is the offset where the {@link android.R.attr#itemTextAppearance}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:itemTextAppearance
*/
public static int MenuView_android_itemTextAppearance = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#verticalDivider}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:verticalDivider
*/
public static int MenuView_android_verticalDivider = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle}
attribute's value can be found in the {@link #MenuView} array.
@attr name android:windowAnimationStyle
*/
public static int MenuView_android_windowAnimationStyle = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#preserveIconSpacing}
attribute's value can be found in the {@link #MenuView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:preserveIconSpacing
*/
public static int MenuView_preserveIconSpacing = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subMenuArrow}
attribute's value can be found in the {@link #MenuView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:subMenuArrow
*/
public static int MenuView_subMenuArrow = 8;
/** Attributes that can be used with a PopupWindow.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #PopupWindow_android_popupAnimationStyle android:popupAnimationStyle}</code></td><td></td></tr>
<tr><td><code>{@link #PopupWindow_android_popupBackground android:popupBackground}</code></td><td></td></tr>
<tr><td><code>{@link #PopupWindow_overlapAnchor com.airbnb.android.react.lottie:overlapAnchor}</code></td><td></td></tr>
</table>
@see #PopupWindow_android_popupAnimationStyle
@see #PopupWindow_android_popupBackground
@see #PopupWindow_overlapAnchor
*/
public static final int[] PopupWindow = {
0x01010176, 0x010102c9, 0x7f0100d7
};
/**
<p>This symbol is the offset where the {@link android.R.attr#popupAnimationStyle}
attribute's value can be found in the {@link #PopupWindow} array.
@attr name android:popupAnimationStyle
*/
public static int PopupWindow_android_popupAnimationStyle = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#popupBackground}
attribute's value can be found in the {@link #PopupWindow} array.
@attr name android:popupBackground
*/
public static int PopupWindow_android_popupBackground = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#overlapAnchor}
attribute's value can be found in the {@link #PopupWindow} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:overlapAnchor
*/
public static int PopupWindow_overlapAnchor = 2;
/** Attributes that can be used with a PopupWindowBackgroundState.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #PopupWindowBackgroundState_state_above_anchor com.airbnb.android.react.lottie:state_above_anchor}</code></td><td></td></tr>
</table>
@see #PopupWindowBackgroundState_state_above_anchor
*/
public static final int[] PopupWindowBackgroundState = {
0x7f0100d8
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#state_above_anchor}
attribute's value can be found in the {@link #PopupWindowBackgroundState} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:state_above_anchor
*/
public static 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.airbnb.android.react.lottie:paddingBottomNoButtons}</code></td><td></td></tr>
<tr><td><code>{@link #RecycleListView_paddingTopNoTitle com.airbnb.android.react.lottie:paddingTopNoTitle}</code></td><td></td></tr>
</table>
@see #RecycleListView_paddingBottomNoButtons
@see #RecycleListView_paddingTopNoTitle
*/
public static final int[] RecycleListView = {
0x7f0100d9, 0x7f0100da
};
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#paddingBottomNoButtons}
attribute's value can be found in the {@link #RecycleListView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:paddingBottomNoButtons
*/
public static int RecycleListView_paddingBottomNoButtons = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#paddingTopNoTitle}
attribute's value can be found in the {@link #RecycleListView} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:paddingTopNoTitle
*/
public static int RecycleListView_paddingTopNoTitle = 1;
/** Attributes that can be used with a SearchView.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SearchView_android_focusable android:focusable}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_imeOptions android:imeOptions}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_inputType android:inputType}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_android_maxWidth android:maxWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_closeIcon com.airbnb.android.react.lottie:closeIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_commitIcon com.airbnb.android.react.lottie:commitIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_defaultQueryHint com.airbnb.android.react.lottie:defaultQueryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_goIcon com.airbnb.android.react.lottie:goIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_iconifiedByDefault com.airbnb.android.react.lottie:iconifiedByDefault}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_layout com.airbnb.android.react.lottie:layout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryBackground com.airbnb.android.react.lottie:queryBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_queryHint com.airbnb.android.react.lottie:queryHint}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchHintIcon com.airbnb.android.react.lottie:searchHintIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_searchIcon com.airbnb.android.react.lottie:searchIcon}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_submitBackground com.airbnb.android.react.lottie:submitBackground}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_suggestionRowLayout com.airbnb.android.react.lottie:suggestionRowLayout}</code></td><td></td></tr>
<tr><td><code>{@link #SearchView_voiceIcon com.airbnb.android.react.lottie:voiceIcon}</code></td><td></td></tr>
</table>
@see #SearchView_android_focusable
@see #SearchView_android_imeOptions
@see #SearchView_android_inputType
@see #SearchView_android_maxWidth
@see #SearchView_closeIcon
@see #SearchView_commitIcon
@see #SearchView_defaultQueryHint
@see #SearchView_goIcon
@see #SearchView_iconifiedByDefault
@see #SearchView_layout
@see #SearchView_queryBackground
@see #SearchView_queryHint
@see #SearchView_searchHintIcon
@see #SearchView_searchIcon
@see #SearchView_submitBackground
@see #SearchView_suggestionRowLayout
@see #SearchView_voiceIcon
*/
public static final int[] SearchView = {
0x010100da, 0x0101011f, 0x01010220, 0x01010264,
0x7f0100db, 0x7f0100dc, 0x7f0100dd, 0x7f0100de,
0x7f0100df, 0x7f0100e0, 0x7f0100e1, 0x7f0100e2,
0x7f0100e3, 0x7f0100e4, 0x7f0100e5, 0x7f0100e6,
0x7f0100e7
};
/**
<p>This symbol is the offset where the {@link android.R.attr#focusable}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:focusable
*/
public static int SearchView_android_focusable = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#imeOptions}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:imeOptions
*/
public static int SearchView_android_imeOptions = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#inputType}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:inputType
*/
public static int SearchView_android_inputType = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#maxWidth}
attribute's value can be found in the {@link #SearchView} array.
@attr name android:maxWidth
*/
public static int SearchView_android_maxWidth = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#closeIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:closeIcon
*/
public static int SearchView_closeIcon = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#commitIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:commitIcon
*/
public static int SearchView_commitIcon = 13;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#defaultQueryHint}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:defaultQueryHint
*/
public static int SearchView_defaultQueryHint = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#goIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:goIcon
*/
public static int SearchView_goIcon = 9;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#iconifiedByDefault}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:iconifiedByDefault
*/
public static int SearchView_iconifiedByDefault = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#layout}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:layout
*/
public static int SearchView_layout = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#queryBackground}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:queryBackground
*/
public static int SearchView_queryBackground = 15;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#queryHint}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:queryHint
*/
public static int SearchView_queryHint = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#searchHintIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:searchHintIcon
*/
public static int SearchView_searchHintIcon = 11;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#searchIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:searchIcon
*/
public static int SearchView_searchIcon = 10;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#submitBackground}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:submitBackground
*/
public static int SearchView_submitBackground = 16;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#suggestionRowLayout}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:suggestionRowLayout
*/
public static int SearchView_suggestionRowLayout = 14;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#voiceIcon}
attribute's value can be found in the {@link #SearchView} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:voiceIcon
*/
public static int SearchView_voiceIcon = 12;
/** Attributes that can be used with a Spinner.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #Spinner_android_dropDownWidth android:dropDownWidth}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_entries android:entries}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_popupBackground android:popupBackground}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_android_prompt android:prompt}</code></td><td></td></tr>
<tr><td><code>{@link #Spinner_popupTheme com.airbnb.android.react.lottie:popupTheme}</code></td><td></td></tr>
</table>
@see #Spinner_android_dropDownWidth
@see #Spinner_android_entries
@see #Spinner_android_popupBackground
@see #Spinner_android_prompt
@see #Spinner_popupTheme
*/
public static final int[] Spinner = {
0x010100b2, 0x01010176, 0x0101017b, 0x01010262,
0x7f01001d
};
/**
<p>This symbol is the offset where the {@link android.R.attr#dropDownWidth}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:dropDownWidth
*/
public static int Spinner_android_dropDownWidth = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#entries}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:entries
*/
public static int Spinner_android_entries = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#popupBackground}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:popupBackground
*/
public static int Spinner_android_popupBackground = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#prompt}
attribute's value can be found in the {@link #Spinner} array.
@attr name android:prompt
*/
public static int Spinner_android_prompt = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#popupTheme}
attribute's value can be found in the {@link #Spinner} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:popupTheme
*/
public static int Spinner_popupTheme = 4;
/** Attributes that can be used with a SwitchCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #SwitchCompat_android_textOff android:textOff}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_android_textOn android:textOn}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_android_thumb android:thumb}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_showText com.airbnb.android.react.lottie:showText}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_splitTrack com.airbnb.android.react.lottie:splitTrack}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchMinWidth com.airbnb.android.react.lottie:switchMinWidth}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchPadding com.airbnb.android.react.lottie:switchPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_switchTextAppearance com.airbnb.android.react.lottie:switchTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTextPadding com.airbnb.android.react.lottie:thumbTextPadding}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTint com.airbnb.android.react.lottie:thumbTint}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_thumbTintMode com.airbnb.android.react.lottie:thumbTintMode}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_track com.airbnb.android.react.lottie:track}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_trackTint com.airbnb.android.react.lottie:trackTint}</code></td><td></td></tr>
<tr><td><code>{@link #SwitchCompat_trackTintMode com.airbnb.android.react.lottie:trackTintMode}</code></td><td></td></tr>
</table>
@see #SwitchCompat_android_textOff
@see #SwitchCompat_android_textOn
@see #SwitchCompat_android_thumb
@see #SwitchCompat_showText
@see #SwitchCompat_splitTrack
@see #SwitchCompat_switchMinWidth
@see #SwitchCompat_switchPadding
@see #SwitchCompat_switchTextAppearance
@see #SwitchCompat_thumbTextPadding
@see #SwitchCompat_thumbTint
@see #SwitchCompat_thumbTintMode
@see #SwitchCompat_track
@see #SwitchCompat_trackTint
@see #SwitchCompat_trackTintMode
*/
public static final int[] SwitchCompat = {
0x01010124, 0x01010125, 0x01010142, 0x7f0100e8,
0x7f0100e9, 0x7f0100ea, 0x7f0100eb, 0x7f0100ec,
0x7f0100ed, 0x7f0100ee, 0x7f0100ef, 0x7f0100f0,
0x7f0100f1, 0x7f0100f2
};
/**
<p>This symbol is the offset where the {@link android.R.attr#textOff}
attribute's value can be found in the {@link #SwitchCompat} array.
@attr name android:textOff
*/
public static int SwitchCompat_android_textOff = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#textOn}
attribute's value can be found in the {@link #SwitchCompat} array.
@attr name android:textOn
*/
public static int SwitchCompat_android_textOn = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#thumb}
attribute's value can be found in the {@link #SwitchCompat} array.
@attr name android:thumb
*/
public static int SwitchCompat_android_thumb = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#showText}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:showText
*/
public static int SwitchCompat_showText = 13;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#splitTrack}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a boolean value, either "<code>true</code>" or "<code>false</code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:splitTrack
*/
public static int SwitchCompat_splitTrack = 12;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#switchMinWidth}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:switchMinWidth
*/
public static int SwitchCompat_switchMinWidth = 10;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#switchPadding}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:switchPadding
*/
public static int SwitchCompat_switchPadding = 11;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#switchTextAppearance}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:switchTextAppearance
*/
public static int SwitchCompat_switchTextAppearance = 9;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#thumbTextPadding}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:thumbTextPadding
*/
public static int SwitchCompat_thumbTextPadding = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#thumbTint}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:thumbTint
*/
public static int SwitchCompat_thumbTint = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#thumbTintMode}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:thumbTintMode
*/
public static int SwitchCompat_thumbTintMode = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#track}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:track
*/
public static int SwitchCompat_track = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#trackTint}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:trackTint
*/
public static int SwitchCompat_trackTint = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#trackTintMode}
attribute's value can be found in the {@link #SwitchCompat} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
<tr><td><code>add</code></td><td>16</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:trackTintMode
*/
public static int SwitchCompat_trackTintMode = 7;
/** 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_fontFamily android:fontFamily}</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_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_textSize android:textSize}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_textStyle android:textStyle}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_android_typeface android:typeface}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_fontFamily com.airbnb.android.react.lottie:fontFamily}</code></td><td></td></tr>
<tr><td><code>{@link #TextAppearance_textAllCaps com.airbnb.android.react.lottie:textAllCaps}</code></td><td></td></tr>
</table>
@see #TextAppearance_android_fontFamily
@see #TextAppearance_android_shadowColor
@see #TextAppearance_android_shadowDx
@see #TextAppearance_android_shadowDy
@see #TextAppearance_android_shadowRadius
@see #TextAppearance_android_textColor
@see #TextAppearance_android_textColorHint
@see #TextAppearance_android_textColorLink
@see #TextAppearance_android_textSize
@see #TextAppearance_android_textStyle
@see #TextAppearance_android_typeface
@see #TextAppearance_fontFamily
@see #TextAppearance_textAllCaps
*/
public static final int[] TextAppearance = {
0x01010095, 0x01010096, 0x01010097, 0x01010098,
0x0101009a, 0x0101009b, 0x01010161, 0x01010162,
0x01010163, 0x01010164, 0x010103ac, 0x7f01002d,
0x7f010033
};
/**
<p>This symbol is the offset where the {@link android.R.attr#fontFamily}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:fontFamily
*/
public static int TextAppearance_android_fontFamily = 10;
/**
<p>This symbol is the offset where the {@link android.R.attr#shadowColor}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:shadowColor
*/
public static int TextAppearance_android_shadowColor = 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.
@attr name android:shadowDx
*/
public static 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.
@attr name android:shadowDy
*/
public static 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.
@attr name android:shadowRadius
*/
public static int TextAppearance_android_shadowRadius = 9;
/**
<p>This symbol is the offset where the {@link android.R.attr#textColor}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textColor
*/
public static int TextAppearance_android_textColor = 3;
/**
<p>This symbol is the offset where the {@link android.R.attr#textColorHint}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textColorHint
*/
public static 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.
@attr name android:textColorLink
*/
public static int TextAppearance_android_textColorLink = 5;
/**
<p>This symbol is the offset where the {@link android.R.attr#textSize}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textSize
*/
public static int TextAppearance_android_textSize = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#textStyle}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:textStyle
*/
public static int TextAppearance_android_textStyle = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#typeface}
attribute's value can be found in the {@link #TextAppearance} array.
@attr name android:typeface
*/
public static int TextAppearance_android_typeface = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#fontFamily}
attribute's value can be found in the {@link #TextAppearance} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:fontFamily
*/
public static int TextAppearance_fontFamily = 12;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#textAllCaps}
attribute's value can be found in the {@link #TextAppearance} array.
<p>May be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
<p>May be a boolean value, either "<code>true</code>" or "<code>false</code>".
@attr name com.airbnb.android.react.lottie:textAllCaps
*/
public static int TextAppearance_textAllCaps = 11;
/** 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.airbnb.android.react.lottie:buttonGravity}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseContentDescription com.airbnb.android.react.lottie:collapseContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_collapseIcon com.airbnb.android.react.lottie:collapseIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetEnd com.airbnb.android.react.lottie:contentInsetEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetEndWithActions com.airbnb.android.react.lottie:contentInsetEndWithActions}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetLeft com.airbnb.android.react.lottie:contentInsetLeft}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetRight com.airbnb.android.react.lottie:contentInsetRight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetStart com.airbnb.android.react.lottie:contentInsetStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_contentInsetStartWithNavigation com.airbnb.android.react.lottie:contentInsetStartWithNavigation}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logo com.airbnb.android.react.lottie:logo}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_logoDescription com.airbnb.android.react.lottie:logoDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_maxButtonHeight com.airbnb.android.react.lottie:maxButtonHeight}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationContentDescription com.airbnb.android.react.lottie:navigationContentDescription}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_navigationIcon com.airbnb.android.react.lottie:navigationIcon}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_popupTheme com.airbnb.android.react.lottie:popupTheme}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitle com.airbnb.android.react.lottie:subtitle}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextAppearance com.airbnb.android.react.lottie:subtitleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_subtitleTextColor com.airbnb.android.react.lottie:subtitleTextColor}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_title com.airbnb.android.react.lottie:title}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMargin com.airbnb.android.react.lottie:titleMargin}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginBottom com.airbnb.android.react.lottie:titleMarginBottom}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginEnd com.airbnb.android.react.lottie:titleMarginEnd}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginStart com.airbnb.android.react.lottie:titleMarginStart}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMarginTop com.airbnb.android.react.lottie:titleMarginTop}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleMargins com.airbnb.android.react.lottie:titleMargins}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextAppearance com.airbnb.android.react.lottie:titleTextAppearance}</code></td><td></td></tr>
<tr><td><code>{@link #Toolbar_titleTextColor com.airbnb.android.react.lottie: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, 0x7f010003, 0x7f010006,
0x7f01000a, 0x7f010016, 0x7f010017, 0x7f010018,
0x7f010019, 0x7f01001a, 0x7f01001b, 0x7f01001d,
0x7f0100f3, 0x7f0100f4, 0x7f0100f5, 0x7f0100f6,
0x7f0100f7, 0x7f0100f8, 0x7f0100f9, 0x7f0100fa,
0x7f0100fb, 0x7f0100fc, 0x7f0100fd, 0x7f0100fe,
0x7f0100ff, 0x7f010100, 0x7f010101, 0x7f010102,
0x7f010103
};
/**
<p>This symbol is the offset where the {@link android.R.attr#gravity}
attribute's value can be found in the {@link #Toolbar} array.
@attr name android:gravity
*/
public static int Toolbar_android_gravity = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#minHeight}
attribute's value can be found in the {@link #Toolbar} array.
@attr name android:minHeight
*/
public static int Toolbar_android_minHeight = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#buttonGravity}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be one or more (separated by '|') of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>top</code></td><td>0x30</td><td></td></tr>
<tr><td><code>bottom</code></td><td>0x50</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:buttonGravity
*/
public static int Toolbar_buttonGravity = 21;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#collapseContentDescription}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:collapseContentDescription
*/
public static int Toolbar_collapseContentDescription = 23;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#collapseIcon}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:collapseIcon
*/
public static int Toolbar_collapseIcon = 22;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetEnd}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetEnd
*/
public static int Toolbar_contentInsetEnd = 6;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetEndWithActions}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetEndWithActions
*/
public static int Toolbar_contentInsetEndWithActions = 10;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetLeft}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetLeft
*/
public static int Toolbar_contentInsetLeft = 7;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetRight}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetRight
*/
public static int Toolbar_contentInsetRight = 8;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetStart}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetStart
*/
public static int Toolbar_contentInsetStart = 5;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#contentInsetStartWithNavigation}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:contentInsetStartWithNavigation
*/
public static int Toolbar_contentInsetStartWithNavigation = 9;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#logo}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:logo
*/
public static int Toolbar_logo = 4;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#logoDescription}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:logoDescription
*/
public static int Toolbar_logoDescription = 26;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#maxButtonHeight}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:maxButtonHeight
*/
public static int Toolbar_maxButtonHeight = 20;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#navigationContentDescription}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:navigationContentDescription
*/
public static int Toolbar_navigationContentDescription = 25;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#navigationIcon}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:navigationIcon
*/
public static int Toolbar_navigationIcon = 24;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#popupTheme}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:popupTheme
*/
public static int Toolbar_popupTheme = 11;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subtitle}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:subtitle
*/
public static int Toolbar_subtitle = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subtitleTextAppearance}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:subtitleTextAppearance
*/
public static int Toolbar_subtitleTextAppearance = 13;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#subtitleTextColor}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:subtitleTextColor
*/
public static int Toolbar_subtitleTextColor = 28;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#title}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a string value, using '\\;' to escape characters such as '\\n' or '\\uxxxx' for a unicode character.
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:title
*/
public static int Toolbar_title = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleMargin}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleMargin
*/
public static int Toolbar_titleMargin = 14;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleMarginBottom}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleMarginBottom
*/
public static int Toolbar_titleMarginBottom = 18;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleMarginEnd}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleMarginEnd
*/
public static int Toolbar_titleMarginEnd = 16;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleMarginStart}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleMarginStart
*/
public static int Toolbar_titleMarginStart = 15;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleMarginTop}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleMarginTop
*/
public static int Toolbar_titleMarginTop = 17;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleMargins}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleMargins
*/
public static int Toolbar_titleMargins = 19;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleTextAppearance}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:titleTextAppearance
*/
public static int Toolbar_titleTextAppearance = 12;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#titleTextColor}
attribute's value can be found in the {@link #Toolbar} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:titleTextColor
*/
public static int Toolbar_titleTextColor = 27;
/** Attributes that can be used with a View.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #View_android_focusable android:focusable}</code></td><td></td></tr>
<tr><td><code>{@link #View_android_theme android:theme}</code></td><td></td></tr>
<tr><td><code>{@link #View_paddingEnd com.airbnb.android.react.lottie:paddingEnd}</code></td><td></td></tr>
<tr><td><code>{@link #View_paddingStart com.airbnb.android.react.lottie:paddingStart}</code></td><td></td></tr>
<tr><td><code>{@link #View_theme com.airbnb.android.react.lottie:theme}</code></td><td></td></tr>
</table>
@see #View_android_focusable
@see #View_android_theme
@see #View_paddingEnd
@see #View_paddingStart
@see #View_theme
*/
public static final int[] View = {
0x01010000, 0x010100da, 0x7f010104, 0x7f010105,
0x7f010106
};
/**
<p>This symbol is the offset where the {@link android.R.attr#focusable}
attribute's value can be found in the {@link #View} array.
@attr name android:focusable
*/
public static int View_android_focusable = 1;
/**
<p>This symbol is the offset where the {@link android.R.attr#theme}
attribute's value can be found in the {@link #View} array.
@attr name android:theme
*/
public static int View_android_theme = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#paddingEnd}
attribute's value can be found in the {@link #View} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:paddingEnd
*/
public static int View_paddingEnd = 3;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#paddingStart}
attribute's value can be found in the {@link #View} array.
<p>Must be a dimension value, which is a floating point number appended with a unit such as "<code>14.5sp</code>".
Available units are: px (pixels), dp (density-independent pixels), sp (scaled pixels based on preferred font size),
in (inches), mm (millimeters).
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:paddingStart
*/
public static int View_paddingStart = 2;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#theme}
attribute's value can be found in the {@link #View} array.
<p>Must be a reference to another resource, in the form "<code>@[+][<i>package</i>:]<i>type</i>:<i>name</i></code>"
or to a theme attribute in the form "<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>".
@attr name com.airbnb.android.react.lottie:theme
*/
public static int View_theme = 4;
/** Attributes that can be used with a ViewBackgroundHelper.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ViewBackgroundHelper_android_background android:background}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTint com.airbnb.android.react.lottie:backgroundTint}</code></td><td></td></tr>
<tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode com.airbnb.android.react.lottie:backgroundTintMode}</code></td><td></td></tr>
</table>
@see #ViewBackgroundHelper_android_background
@see #ViewBackgroundHelper_backgroundTint
@see #ViewBackgroundHelper_backgroundTintMode
*/
public static final int[] ViewBackgroundHelper = {
0x010100d4, 0x7f010107, 0x7f010108
};
/**
<p>This symbol is the offset where the {@link android.R.attr#background}
attribute's value can be found in the {@link #ViewBackgroundHelper} array.
@attr name android:background
*/
public static int ViewBackgroundHelper_android_background = 0;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#backgroundTint}
attribute's value can be found in the {@link #ViewBackgroundHelper} array.
<p>Must be a color value, in the form of "<code>#<i>rgb</i></code>", "<code>#<i>argb</i></code>",
"<code>#<i>rrggbb</i></code>", or "<code>#<i>aarrggbb</i></code>".
<p>This may also be a reference to a resource (in the form
"<code>@[<i>package</i>:]<i>type</i>:<i>name</i></code>") or
theme attribute (in the form
"<code>?[<i>package</i>:][<i>type</i>:]<i>name</i></code>")
containing a value of this type.
@attr name com.airbnb.android.react.lottie:backgroundTint
*/
public static int ViewBackgroundHelper_backgroundTint = 1;
/**
<p>This symbol is the offset where the {@link com.airbnb.android.react.lottie.R.attr#backgroundTintMode}
attribute's value can be found in the {@link #ViewBackgroundHelper} array.
<p>Must be one of the following constant values.</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Constant</th><th>Value</th><th>Description</th></tr>
<tr><td><code>src_over</code></td><td>3</td><td></td></tr>
<tr><td><code>src_in</code></td><td>5</td><td></td></tr>
<tr><td><code>src_atop</code></td><td>9</td><td></td></tr>
<tr><td><code>multiply</code></td><td>14</td><td></td></tr>
<tr><td><code>screen</code></td><td>15</td><td></td></tr>
</table>
@attr name com.airbnb.android.react.lottie:backgroundTintMode
*/
public static int ViewBackgroundHelper_backgroundTintMode = 2;
/** Attributes that can be used with a ViewStubCompat.
<p>Includes the following attributes:</p>
<table>
<colgroup align="left" />
<colgroup align="left" />
<tr><th>Attribute</th><th>Description</th></tr>
<tr><td><code>{@link #ViewStubCompat_android_id android:id}</code></td><td></td></tr>
<tr><td><code>{@link #ViewStubCompat_android_inflatedId android:inflatedId}</code></td><td></td></tr>
<tr><td><code>{@link #ViewStubCompat_android_layout android:layout}</code></td><td></td></tr>
</table>
@see #ViewStubCompat_android_id
@see #ViewStubCompat_android_inflatedId
@see #ViewStubCompat_android_layout
*/
public static final int[] ViewStubCompat = {
0x010100d0, 0x010100f2, 0x010100f3
};
/**
<p>This symbol is the offset where the {@link android.R.attr#id}
attribute's value can be found in the {@link #ViewStubCompat} array.
@attr name android:id
*/
public static int ViewStubCompat_android_id = 0;
/**
<p>This symbol is the offset where the {@link android.R.attr#inflatedId}
attribute's value can be found in the {@link #ViewStubCompat} array.
@attr name android:inflatedId
*/
public static int ViewStubCompat_android_inflatedId = 2;
/**
<p>This symbol is the offset where the {@link android.R.attr#layout}
attribute's value can be found in the {@link #ViewStubCompat} array.
@attr name android:layout
*/
public static int ViewStubCompat_android_layout = 1;
};
}
|
from datetime import datetime
# Input date in the format "YYYY-MM-DD"
input_date = input("Enter the date in the format 'YYYY-MM-DD': ")
try:
# Convert input date string to datetime object
date_obj = datetime.strptime(input_date, "%Y-%m-%d")
# Format the date as required and print
formatted_date = date_obj.strftime("%d del %m del año %Y")
print(formatted_date)
except ValueError:
print("Invalid date format. Please enter the date in the format 'YYYY-MM-DD'.") |
# $OpenBSD: sftp-cmds.sh,v 1.11 2010/12/04 00:21:19 djm Exp $
# Placed in the Public Domain.
# XXX - TODO:
# - chmod / chown / chgrp
# - -p flag for get & put
tid="sftp commands"
DATA=/bin/ls${EXEEXT}
COPY=${OBJ}/copy
# test that these files are readable!
for i in `(cd /bin;echo l*)`
do
if [ -r $i ]; then
GLOBFILES="$GLOBFILES $i"
fi
done
if have_prog uname
then
case `uname` in
CYGWIN*)
os=cygwin
;;
*)
os=`uname`
;;
esac
else
os="unknown"
fi
# Path with embedded quote
QUOTECOPY=${COPY}".\"blah\""
QUOTECOPY_ARG=${COPY}'.\"blah\"'
# File with spaces
SPACECOPY="${COPY} this has spaces.txt"
SPACECOPY_ARG="${COPY}\ this\ has\ spaces.txt"
# File with glob metacharacters
GLOBMETACOPY="${COPY} [metachar].txt"
rm -rf ${COPY} ${COPY}.1 ${COPY}.2 ${COPY}.dd ${COPY}.dd2 ${BATCH}.*
mkdir ${COPY}.dd
verbose "$tid: lls"
(echo "lcd ${OBJ}" ; echo "lls") | ${SFTP} -D ${SFTPSERVER} 2>&1 | \
grep copy.dd >/dev/null 2>&1 || fail "lls failed"
verbose "$tid: lls w/path"
echo "lls ${OBJ}" | ${SFTP} -D ${SFTPSERVER} 2>&1 | \
grep copy.dd >/dev/null 2>&1 || fail "lls w/path failed"
verbose "$tid: ls"
echo "ls ${OBJ}" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "ls failed"
# XXX always successful
verbose "$tid: shell"
echo "!echo hi there" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "shell failed"
# XXX always successful
verbose "$tid: pwd"
echo "pwd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "pwd failed"
# XXX always successful
verbose "$tid: lpwd"
echo "lpwd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "lpwd failed"
# XXX always successful
verbose "$tid: quit"
echo "quit" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "quit failed"
# XXX always successful
verbose "$tid: help"
echo "help" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "help failed"
# XXX always successful
rm -f ${COPY}
verbose "$tid: get"
echo "get $DATA $COPY" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
cmp $DATA ${COPY} || fail "corrupted copy after get"
rm -f ${COPY}
verbose "$tid: get quoted"
echo "get \"$DATA\" $COPY" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
cmp $DATA ${COPY} || fail "corrupted copy after get"
if [ "$os" != "cygwin" ]; then
rm -f ${QUOTECOPY}
cp $DATA ${QUOTECOPY}
verbose "$tid: get filename with quotes"
echo "get \"$QUOTECOPY_ARG\" ${COPY}" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
cmp ${COPY} ${QUOTECOPY} || fail "corrupted copy after get with quotes"
rm -f ${QUOTECOPY} ${COPY}
fi
rm -f "$SPACECOPY" ${COPY}
cp $DATA "$SPACECOPY"
verbose "$tid: get filename with spaces"
echo "get ${SPACECOPY_ARG} ${COPY}" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
cmp ${COPY} "$SPACECOPY" || fail "corrupted copy after get with spaces"
rm -f "$GLOBMETACOPY" ${COPY}
cp $DATA "$GLOBMETACOPY"
verbose "$tid: get filename with glob metacharacters"
echo "get \"${GLOBMETACOPY}\" ${COPY}" | \
${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || fail "get failed"
cmp ${COPY} "$GLOBMETACOPY" || \
fail "corrupted copy after get with glob metacharacters"
rm -f ${COPY}.dd/*
verbose "$tid: get to directory"
echo "get $DATA ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
cmp $DATA ${COPY}.dd/`basename $DATA` || fail "corrupted copy after get"
rm -f ${COPY}.dd/*
verbose "$tid: glob get to directory"
echo "get /bin/l* ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
for x in $GLOBFILES; do
cmp /bin/$x ${COPY}.dd/$x || fail "corrupted copy after get"
done
rm -f ${COPY}.dd/*
verbose "$tid: get to local dir"
(echo "lcd ${COPY}.dd"; echo "get $DATA" ) | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
cmp $DATA ${COPY}.dd/`basename $DATA` || fail "corrupted copy after get"
rm -f ${COPY}.dd/*
verbose "$tid: glob get to local dir"
(echo "lcd ${COPY}.dd"; echo "get /bin/l*") | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "get failed"
for x in $GLOBFILES; do
cmp /bin/$x ${COPY}.dd/$x || fail "corrupted copy after get"
done
rm -f ${COPY}
verbose "$tid: put"
echo "put $DATA $COPY" | \
${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || fail "put failed"
cmp $DATA ${COPY} || fail "corrupted copy after put"
if [ "$os" != "cygwin" ]; then
rm -f ${QUOTECOPY}
verbose "$tid: put filename with quotes"
echo "put $DATA \"$QUOTECOPY_ARG\"" | \
${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || fail "put failed"
cmp $DATA ${QUOTECOPY} || fail "corrupted copy after put with quotes"
fi
rm -f "$SPACECOPY"
verbose "$tid: put filename with spaces"
echo "put $DATA ${SPACECOPY_ARG}" | \
${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || fail "put failed"
cmp $DATA "$SPACECOPY" || fail "corrupted copy after put with spaces"
rm -f ${COPY}.dd/*
verbose "$tid: put to directory"
echo "put $DATA ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "put failed"
cmp $DATA ${COPY}.dd/`basename $DATA` || fail "corrupted copy after put"
rm -f ${COPY}.dd/*
verbose "$tid: glob put to directory"
echo "put /bin/l? ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "put failed"
for x in $GLOBFILES; do
cmp /bin/$x ${COPY}.dd/$x || fail "corrupted copy after put"
done
rm -f ${COPY}.dd/*
verbose "$tid: put to local dir"
(echo "cd ${COPY}.dd"; echo "put $DATA") | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "put failed"
cmp $DATA ${COPY}.dd/`basename $DATA` || fail "corrupted copy after put"
rm -f ${COPY}.dd/*
verbose "$tid: glob put to local dir"
(echo "cd ${COPY}.dd"; echo "put /bin/l?") | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "put failed"
for x in $GLOBFILES; do
cmp /bin/$x ${COPY}.dd/$x || fail "corrupted copy after put"
done
verbose "$tid: rename"
echo "rename $COPY ${COPY}.1" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "rename failed"
test -f ${COPY}.1 || fail "missing file after rename"
cmp $DATA ${COPY}.1 >/dev/null 2>&1 || fail "corrupted copy after rename"
verbose "$tid: rename directory"
echo "rename ${COPY}.dd ${COPY}.dd2" | \
${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || \
fail "rename directory failed"
test -d ${COPY}.dd && fail "oldname exists after rename directory"
test -d ${COPY}.dd2 || fail "missing newname after rename directory"
verbose "$tid: ln"
echo "ln ${COPY}.1 ${COPY}.2" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || fail "ln failed"
test -f ${COPY}.2 || fail "missing file after ln"
cmp ${COPY}.1 ${COPY}.2 || fail "created file is not equal after ln"
verbose "$tid: ln -s"
rm -f ${COPY}.2
echo "ln -s ${COPY}.1 ${COPY}.2" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 || fail "ln -s failed"
test -h ${COPY}.2 || fail "missing file after ln -s"
verbose "$tid: mkdir"
echo "mkdir ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "mkdir failed"
test -d ${COPY}.dd || fail "missing directory after mkdir"
# XXX do more here
verbose "$tid: chdir"
echo "chdir ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "chdir failed"
verbose "$tid: rmdir"
echo "rmdir ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "rmdir failed"
test -d ${COPY}.1 && fail "present directory after rmdir"
verbose "$tid: lmkdir"
echo "lmkdir ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "lmkdir failed"
test -d ${COPY}.dd || fail "missing directory after lmkdir"
# XXX do more here
verbose "$tid: lchdir"
echo "lchdir ${COPY}.dd" | ${SFTP} -D ${SFTPSERVER} >/dev/null 2>&1 \
|| fail "lchdir failed"
rm -rf ${COPY} ${COPY}.1 ${COPY}.2 ${COPY}.dd ${COPY}.dd2 ${BATCH}.*
rm -rf ${QUOTECOPY} "$SPACECOPY" "$GLOBMETACOPY"
|
protoc -I proto/ proto/jarvismarket.proto --go_out=plugins=grpc:proto |
#!/usr/bin/env bash
python3 setup.py install --single-version-externally-managed --record=record.txt
mkdir -p $PREFIX/bin
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_rms.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_rms.py $PREFIX/bin/gmx_rms
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_cluster.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_cluster.py $PREFIX/bin/gmx_cluster
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_energy.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_energy.py $PREFIX/bin/gmx_energy
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_rgyr.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_rgyr.py $PREFIX/bin/gmx_rgyr
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_image.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_image.py $PREFIX/bin/gmx_image
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_trjconv_str.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_trjconv_str.py $PREFIX/bin/gmx_trjconv_str
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_trjconv_str_ens.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_trjconv_str_ens.py $PREFIX/bin/gmx_trjconv_str_ens
chmod u+x $SP_DIR/biobb_analysis/gromacs/gmx_trjconv_trj.py
cp $SP_DIR/biobb_analysis/gromacs/gmx_trjconv_trj.py $PREFIX/bin/gmx_trjconv_trj
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_input.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_input.py $PREFIX/bin/cpptraj_input
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_average.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_average.py $PREFIX/bin/cpptraj_average
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_bfactor.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_bfactor.py $PREFIX/bin/cpptraj_bfactor
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_convert.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_convert.py $PREFIX/bin/cpptraj_convert
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_dry.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_dry.py $PREFIX/bin/cpptraj_dry
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_image.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_image.py $PREFIX/bin/cpptraj_image
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_mask.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_mask.py $PREFIX/bin/cpptraj_mask
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_rgyr.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_rgyr.py $PREFIX/bin/cpptraj_rgyr
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_rms.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_rms.py $PREFIX/bin/cpptraj_rms
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_rmsf.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_rmsf.py $PREFIX/bin/cpptraj_rmsf
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_slice.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_slice.py $PREFIX/bin/cpptraj_slice
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_snapshot.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_snapshot.py $PREFIX/bin/cpptraj_snapshot
chmod u+x $SP_DIR/biobb_analysis/ambertools/cpptraj_strip.py
cp $SP_DIR/biobb_analysis/ambertools/cpptraj_strip.py $PREFIX/bin/cpptraj_strip
|
"""
Design a genetic algorithm to solve the following problem: Maximize f(x) = (x1*x2) - (x1*x2*x3)
The genetic algorithm will use a population of chromosomes, each of which will encode a solution, in the form of three real-valued numbers.
The initial population will be generated randomly, and then each iteration will select the best performing individuals from the population. The individuals will be selected using a fitness function which calculates the value of f(x) for each individual.
Crossover and mutation are applied to the selected individuals to produce new individuals. The new individuals are then added to the population and evaluated using the fitness function. This process is repeated until the population reaches some convergence criteria, such as reaching a maximum value of f(x).
The result of the GA will be the maximum value of f(x) and the parameters (x1, x2, x3) which produce it.
""" |
<reponame>Flambe/discord-nestjs
import { DecoratorConstant } from '../constant/decorator.constant';
import { TransformToUserOptions } from './interface/transform-to-user-options';
/**
* Transform user alias to user object
*/
export const TransformToUser = (options: TransformToUserOptions = {throwError: false}): PropertyDecorator => {
return (target: Record<string, any>, propertyKey: string | symbol) => {
Reflect.defineMetadata(
DecoratorConstant.TRANSFORM_TO_USER_DECORATOR,
options,
target,
propertyKey,
);
}
} |
<filename>apps/jira/src/screens/epic/index.tsx
import React from 'react'
import { Link } from 'react-router-dom'
import dayjs from 'dayjs'
import {
Button,
List,
ListItem,
ListItemMeta,
PageContainer,
SarairRow
} from '@sarair/desktop/shared/ui'
import { useDocumentTitle } from '@sarair/shared/hooks'
import { useProjectStore } from '../../hooks/projects'
import { useEpicList, useEpicSearchParams } from '../../hooks/epics'
import { useTaskList } from '../../hooks/tasks'
export const EpicScreen = () => {
useDocumentTitle('任务组列表', true)
const { projectId } = useEpicSearchParams()
const { detail } = useProjectStore(projectId)
const {
list: epicList,
methods: { remove }
} = useEpicList({ projectId })
const { list: taskList } = useTaskList({ projectId })
return (
<PageContainer>
<h1>{detail?.name}任务组</h1>
<List
dataSource={epicList}
itemLayout="vertical"
renderItem={({ id, name, startTime, endTime }) => (
<ListItem>
<ListItemMeta
title={
<SarairRow between>
<span>{name}</span>
<Button
type="link"
onClick={() => remove(id)}
>
删除
</Button>
</SarairRow>
}
description={
<div>
<div>
开始时间:
{dayjs(startTime).format('YYYY-MM-DD')}
</div>
<div>
结束时间:
{dayjs(endTime).format('YYYY-MM-DD')}
</div>
</div>
}
/>
<div>
{taskList
.filter(({ epicId }) => epicId === id)
.map(({ id, name }) => (
<Link
key={id}
to={`/projects/${detail?.id}/board?editingTaskId=${id}`}
>
{name}
</Link>
))}
</div>
</ListItem>
)}
/>
</PageContainer>
)
}
|
from cyder.base.tests import ModelTestMixin, TestCase
from cyder.cydhcp.workgroup.models import Workgroup
class WorkgroupTests(TestCase, ModelTestMixin):
@property
def objs(self):
"""Create objects for test_create_delete."""
return (
Workgroup.objects.create(name='a'),
Workgroup.objects.create(name='bbbbbbbbbbbbbb'),
Workgroup.objects.create(name='Hello, world.'),
)
|
import "../lib/env";
/**
* @Create position https://docs.lnmarkets.com/api/v1/#create
*/
function createOrder(lnm: any, type: string, side: string, price: number, margin: number, leverage: number, takeprofit: number, stoploss: number) {
return new Promise(async (resolve, reject) => {
try {
if (process.env.ENABLE_TRADING === "true") {
let createNewPosition = await lnm.futuresNewPosition({
type,
side,
price,
margin,
leverage,
stoploss,
});
resolve(createNewPosition);
} else {
reject("Rejected createOrder.ts (createOrder). Trading disabled");
}
} catch (err) {
console.log(`Rejected createOrder.ts (createOrder) Error: ${err}`);
reject(`Rejected createOrder.ts (createOrder) Error: ${err}`);
}
});
}
export default createOrder;
|
#!/bin/bash
# Generate a GPG key with specified parameters
gpg --no-options --generate-key --batch /protonmail/gpgparams
# Check if the GPG key generation was successful
if [ $? -eq 0 ]; then
echo "GPG key generated successfully"
else
echo "Error: Failed to generate GPG key"
exit 1
fi
# Initialize pass with the generated GPG key
pass init pass-key
# Check if pass initialization was successful
if [ $? -eq 0 ]; then
echo "pass initialized successfully"
else
echo "Error: Failed to initialize pass"
exit 1
fi
# Add a new password to the password store
read -p "Enter the name for the new password entry: " entry_name
pass insert $entry_name
# Check if the password addition was successful
if [ $? -eq 0 ]; then
echo "Password added to the store successfully"
else
echo "Error: Failed to add password to the store"
exit 1
fi
echo "All operations completed successfully" |
TERMUX_PKG_HOMEPAGE=https://github.com/ProtonMail/proton-bridge
TERMUX_PKG_DESCRIPTION="ProtonMail Bridge application"
TERMUX_PKG_LICENSE="GPL-3.0"
TERMUX_PKG_VERSION=1.5.7
TERMUX_PKG_REVISION=1
TERMUX_PKG_SRCURL=https://github.com/ProtonMail/proton-bridge.git
TERMUX_PKG_GIT_BRANCH=br-$TERMUX_PKG_VERSION
TERMUX_PKG_MAINTAINER="Radomír Polách <rp@t4d.cz>"
TERMUX_PKG_BLACKLISTED_ARCHES="arm, i686"
termux_step_make_install() {
termux_setup_golang
export GOPATH=$TERMUX_PKG_BUILDDIR
export BUILDDIR=$TERMUX_PREFIX/bin
cd $TERMUX_PKG_SRCDIR
go mod tidy
make build-nogui
install -Dm700 proton-bridge "$TERMUX_PREFIX"/bin/proton-bridge
}
|
package za.co.riggaroo.gus.model;
public class GithubUser {
}
|
#!/bin/bash
# Unless explicitly stated otherwise all files in this repository are licensed
# under the Apache License Version 2.0.
# This product includes software developed at Datadog (https://www.datadoghq.com/).
# Copyright 2021 Datadog, Inc.
# Usage examples :
# ARCHITECTURE=amd64 VERSION=100 ./scripts/build_binary_and_layer_dockerized.sh
# or
# VERSION=100 ./scripts/build_binary_and_layer_dockerized.sh
if [ -z "$VERSION" ]; then
echo "Extension version not specified"
echo ""
echo "EXITING SCRIPT."
exit 1
fi
AGENT_PATH="../datadog-agent"
# Move into the root directory, so this script can be called from any directory
SCRIPTS_DIR="$( cd "$( dirname "${BASH_SOURCE[0]}" )" >/dev/null 2>&1 && pwd )"
ROOT_DIR=$SCRIPTS_DIR/..
cd $ROOT_DIR
EXTENSION_DIR=".layers"
TARGET_DIR=$(pwd)/$EXTENSION_DIR
# Make sure the folder does not exist
rm -rf $EXTENSION_DIR 2> /dev/null
mkdir -p $EXTENSION_DIR
# First prepare a folder with only *mod and *sum files to enable Docker caching capabilities
mkdir -p $ROOT_DIR/scripts/.src $ROOT_DIR/scripts/.cache
echo "Copy mod files to build a cache"
cp $AGENT_PATH/go.mod $ROOT_DIR/scripts/.cache
cp $AGENT_PATH/go.sum $ROOT_DIR/scripts/.cache
echo "Compressing all files to speed up docker copy"
touch $ROOT_DIR/scripts/.src/datadog-agent.tgz
cd $AGENT_PATH/..
tar --exclude=.git -czf $ROOT_DIR/scripts/.src/datadog-agent.tgz datadog-agent
cd $ROOT_DIR
function docker_build_zip {
arch=$1
docker buildx build --platform linux/${arch} \
-t datadog/build-lambda-extension-${arch}:$VERSION \
-f ./scripts/Dockerfile.build \
--build-arg EXTENSION_VERSION="${VERSION}" . \
--load
dockerId=$(docker create datadog/build-lambda-extension-${arch}:$VERSION)
docker cp $dockerId:/datadog_extension.zip $TARGET_DIR/datadog_extension-${arch}.zip
unzip $TARGET_DIR/datadog_extension-${arch}.zip -d $TARGET_DIR/datadog_extension-${arch}
}
if [ "$ARCHITECTURE" == "amd64" ]; then
echo "Building for amd64 only"
docker_build_zip amd64
elif [ "$ARCHITECTURE" == "arm64" ]; then
echo "Building for arm64 only"
docker_build_zip arm64
else
echo "Building for both amd64 and arm64"
docker_build_zip amd64
docker_build_zip arm64
fi
|
public class Sphere {
public static void main(String[] args) {
int radius = 5;
double surfaceArea;
surfaceArea = 4 * Math.PI * Math.pow(radius, 2);
System.out.println("The surface area of the sphere is : " + surfaceArea);
}
} |
# This shell script executes Slurm jobs for thresholding
# predictions of NTT-like convolutional
# neural network on BirdVox-70k full audio
# with logmelspec input.
# Augmentation kind: all.
# Test unit: unit02.
# Trial ID: 1.
sbatch 042_aug-all_test-unit02_predict-unit02_trial-1.sbatch
sbatch 042_aug-all_test-unit02_predict-unit10_trial-1.sbatch
sbatch 042_aug-all_test-unit02_predict-unit01_trial-1.sbatch
|
import {Inject, Injectable} from '@angular/core';
import {HttpClient, HttpEvent, HttpResponse} from "@angular/common/http";
import {BASE_PATH} from "../variables";
import {Observable} from "rxjs/internal/Observable";
import {GameModel} from "../../models/game.model";
@Injectable({
providedIn: 'root'
})
export class GameService {
private basepath:string="http://localhost:4300";
constructor(private httpClient: HttpClient, @Inject(BASE_PATH) basepath:string) {
if (basepath) {
this.basepath = basepath;
}
}
public getGameList(pageIndex:number, pageSize:number, observer?:"body", reportProgress?:true):Observable<GameModel[]>;
public getGameList(pageIndex:number, pageSize:number, observer?:"response", reportProgress?:true):Observable<HttpResponse<GameModel[]>>;
public getGameList(pageIndex:number, pageSize:number, observer?:"events", reportProgress?:true):Observable<HttpEvent<GameModel[]>>;
public getGameList(pageIndex:number=1, pageSize:number=10, observer:any ="body", reportProgress:boolean=true):Observable<any> {
const url = `${this.basepath}/api/innetwork/getGameList/${pageIndex}/${pageSize}`;
return this.httpClient.get<GameModel[]>(url, {observe: observer, reportProgress:reportProgress});
}
public getAllGameList(observer?:"body", reportProgress?:true):Observable<GameModel[]>;
public getAllGameList(observer?:"response", reportProgress?:true):Observable<HttpResponse<GameModel[]>>;
public getAllGameList(observer?:"events", reportProgress?:true):Observable<HttpEvent<GameModel[]>>;
public getAllGameList(observer:any ="body", reportProgress:boolean=true):Observable<any> {
const url = `${this.basepath}/api/innetwork/getAllGameList`;
return this.httpClient.get<GameModel[]>(url, {observe: observer, reportProgress:reportProgress});
}
public addGame(observer?:"body", reportProgress?:true):Observable<GameModel[]>;
public addGame(observer?:"response", reportProgress?:true):Observable<HttpResponse<GameModel[]>>;
public addGame(observer?:"events", reportProgress?:true):Observable<HttpEvent<GameModel[]>>;
public addGame(observer:any ="body", reportProgress:boolean=true):Observable<any> {
const url = `${this.basepath}/api/innetwork/addgame`;
return this.httpClient.post<GameModel[]>(url, {}, {observe: observer, reportProgress:reportProgress});
}
public joinGame(gameId?,observer?:"body", reportProgress?:true):Observable<GameModel[]>;
public joinGame(gameId?,observer?:"response", reportProgress?:true):Observable<HttpResponse<GameModel[]>>;
public joinGame(gameId?, observer?:"events", reportProgress?:true):Observable<HttpEvent<GameModel[]>>;
public joinGame(gameId:number, observer:any ="body", reportProgress:boolean=true):Observable<any> {
const url = `${this.basepath}/api/innetwork/joingame/${gameId}`;
return this.httpClient.post<GameModel[]>(url, {}, {observe: observer, reportProgress:reportProgress});
}
public makeMove(gameId?,row?,col?,observer?:"body", reportProgress?:true):Observable<GameModel[]>;
public makeMove(gameId?,row?,col?,observer?:"response", reportProgress?:true):Observable<HttpResponse<GameModel[]>>;
public makeMove(gameId?,row?,col?,observer?:"events", reportProgress?:true):Observable<HttpEvent< GameModel[]>>;
public makeMove(gameId:number,row:number,col:number,observer:any="body", reportProgress:boolean=true):Observable<any>{
console.log(`received gameid: ${gameId}, row: ${row}, col: ${col}`);
const payload = {
gameId: gameId,
row: row,
column: col
};
console.log(`payload sending to server: `, payload);
const url = `${this.basepath}/api/innetwork/makemove`;
return this.httpClient.post<GameModel[]>(url, payload, {observe: observer, reportProgress: reportProgress});
}
}
|
#! /usr/bin/env bash
set -euo pipefail
yarn test:int
|
#!/usr/bin/env bash
# Copyright 2020 Antrea 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.
# The script runs kind e2e tests with different traffic encapsulation modes.
set -eo pipefail
function echoerr {
>&2 echo "$@"
}
_usage="Usage: $0 [--encap-mode <mode>] [--ip-family <v4|v6>] [--no-proxy] [--np] [--coverage] [--help|-h]
--encap-mode Traffic encapsulation mode. (default is 'encap').
--ip-family Configures the ipFamily for the KinD cluster.
--no-proxy Disables Antrea proxy.
--proxy-all Enables Antrea proxy with all Service support.
--endpointslice Enables Antrea proxy and EndpointSlice support.
--no-np Disables Antrea-native policies.
--skip A comma-separated list of keywords, with which tests should be skipped.
--coverage Enables measure Antrea code coverage when run e2e tests on kind.
--help, -h Print this message and exit.
"
function print_usage {
echoerr "$_usage"
}
TESTBED_CMD=$(dirname $0)"/kind-setup.sh"
YML_CMD=$(dirname $0)"/../../hack/generate-manifest.sh"
FLOWAGGREGATOR_YML_CMD=$(dirname $0)"/../../hack/generate-manifest-flow-aggregator.sh"
function quit {
if [[ $? != 0 ]]; then
echoerr " Test failed cleaning testbed"
$TESTBED_CMD destroy kind
fi
}
trap "quit" INT EXIT
mode=""
ipfamily="v4"
proxy=true
proxy_all=false
endpointslice=false
np=true
coverage=false
skiplist=""
while [[ $# -gt 0 ]]
do
key="$1"
case $key in
--no-proxy)
proxy=false
shift
;;
--proxy-all)
proxy_all=true
shift
;;
--ip-family)
ipfamily="$2"
shift 2
;;
--endpointslice)
endpointslice=true
shift
;;
--no-np)
np=false
shift
;;
--skip)
skiplist="$2"
shift 2
;;
--encap-mode)
mode="$2"
shift 2
;;
--coverage)
coverage=true
shift
;;
-h|--help)
print_usage
exit 0
;;
*) # unknown option
echoerr "Unknown option $1"
exit 1
;;
esac
done
manifest_args=""
if ! $proxy; then
manifest_args="$manifest_args --no-proxy"
fi
if $proxy_all; then
if ! $proxy; then
echoerr "--proxy-all requires AntreaProxy, so it cannot be used with --no-proxy"
exit 1
fi
manifest_args="$manifest_args --proxy-all"
fi
if $endpointslice; then
manifest_args="$manifest_args --endpointslice"
fi
if ! $np; then
manifest_args="$manifest_args --no-np"
fi
COMMON_IMAGES_LIST=("gcr.io/kubernetes-e2e-test-images/agnhost:2.8" \
"projects.registry.vmware.com/library/busybox" \
"projects.registry.vmware.com/antrea/nginx" \
"projects.registry.vmware.com/antrea/perftool" \
"projects.registry.vmware.com/antrea/ipfix-collector:v0.5.10" \
"projects.registry.vmware.com/antrea/wireguard-go:0.0.20210424")
for image in "${COMMON_IMAGES_LIST[@]}"; do
for i in `seq 3`; do
docker pull $image && break
sleep 1
done
done
if $coverage; then
manifest_args="$manifest_args --coverage"
COMMON_IMAGES_LIST+=("antrea/antrea-ubuntu-coverage:latest")
COMMON_IMAGES_LIST+=("antrea/flow-aggregator-coverage:latest")
else
COMMON_IMAGES_LIST+=("projects.registry.vmware.com/antrea/antrea-ubuntu:latest")
COMMON_IMAGES_LIST+=("projects.registry.vmware.com/antrea/flow-aggregator:latest")
fi
if $proxy_all; then
COMMON_IMAGES_LIST+=("k8s.gcr.io/echoserver:1.10")
fi
printf -v COMMON_IMAGES "%s " "${COMMON_IMAGES_LIST[@]}"
function run_test {
current_mode=$1
args=$2
if [[ "$ipfamily" == "v6" ]]; then
args="$args --ip-family ipv6 --pod-cidr fd00:10:244::/56"
elif [[ "$ipfamily" != "v4" ]]; then
echoerr "invalid value for --ip-family \"$ipfamily\", expected \"v4\" or \"v6\""
exit 1
fi
if $proxy_all; then
args="$args --no-kube-proxy"
fi
echo "creating test bed with args $args"
eval "timeout 600 $TESTBED_CMD create kind $args"
if $coverage; then
$YML_CMD --kind --encap-mode $current_mode $manifest_args | docker exec -i kind-control-plane dd of=/root/antrea-coverage.yml
$YML_CMD --kind --encap-mode $current_mode --wireguard-go $manifest_args | docker exec -i kind-control-plane dd of=/root/antrea-wireguard-go-coverage.yml
$FLOWAGGREGATOR_YML_CMD --coverage | docker exec -i kind-control-plane dd of=/root/flow-aggregator-coverage.yml
else
$YML_CMD --kind --encap-mode $current_mode $manifest_args | docker exec -i kind-control-plane dd of=/root/antrea.yml
$YML_CMD --kind --encap-mode $current_mode --wireguard-go $manifest_args | docker exec -i kind-control-plane dd of=/root/antrea-wireguard-go.yml
$FLOWAGGREGATOR_YML_CMD | docker exec -i kind-control-plane dd of=/root/flow-aggregator.yml
fi
if $proxy_all; then
apiserver=$(docker exec -i kind-control-plane kubectl get endpoints kubernetes --no-headers | awk '{print $2}')
if $coverage; then
docker exec -i kind-control-plane sed -i.bak -E "s/^[[:space:]]*#kubeAPIServerOverride[[:space:]]*:[[:space:]]*[a-z\"]+[[:space:]]*$/ kubeAPIServerOverride: \"$apiserver\"/" /root/antrea-coverage.yml
docker exec -i kind-control-plane sed -i.bak -E "s/^[[:space:]]*#kubeAPIServerOverride[[:space:]]*:[[:space:]]*[a-z\"]+[[:space:]]*$/ kubeAPIServerOverride: \"$apiserver\"/" /root/antrea-wireguard-go-coverage.yml
else
docker exec -i kind-control-plane sed -i.bak -E "s/^[[:space:]]*#kubeAPIServerOverride[[:space:]]*:[[:space:]]*[a-z\"]+[[:space:]]*$/ kubeAPIServerOverride: \"$apiserver\"/" /root/antrea.yml
docker exec -i kind-control-plane sed -i.bak -E "s/^[[:space:]]*#kubeAPIServerOverride[[:space:]]*:[[:space:]]*[a-z\"]+[[:space:]]*$/ kubeAPIServerOverride: \"$apiserver\"/" /root/antrea-wireguard-go.yml
fi
fi
sleep 1
if $coverage; then
go test -v -timeout=70m antrea.io/antrea/test/e2e -provider=kind --logs-export-dir=$ANTREA_LOG_DIR --coverage --coverage-dir $ANTREA_COV_DIR --skip=$skiplist
else
go test -v -timeout=65m antrea.io/antrea/test/e2e -provider=kind --logs-export-dir=$ANTREA_LOG_DIR --skip=$skiplist
fi
$TESTBED_CMD destroy kind
}
if [[ "$mode" == "" ]] || [[ "$mode" == "encap" ]]; then
echo "======== Test encap mode =========="
run_test encap "--images \"$COMMON_IMAGES\""
fi
if [[ "$mode" == "" ]] || [[ "$mode" == "noEncap" ]]; then
echo "======== Test noencap mode =========="
run_test noEncap "--images \"$COMMON_IMAGES\""
fi
if [[ "$mode" == "" ]] || [[ "$mode" == "hybrid" ]]; then
echo "======== Test hybrid mode =========="
run_test hybrid "--subnets \"20.20.20.0/24\" --images \"$COMMON_IMAGES\""
fi
exit 0
|
#!/bin/bash
# This script will build cfn-skeleton for all platforms
# Run tests first
go vet ./... || exit 1
go test ./... || exit 1
declare -A platforms=([linux]=linux [darwin]=osx [windows]=windows)
declare -A architectures=([386]=i386 [amd64]=amd64)
DESTDIR=dist
mkdir -p $DESTDIR
echo "Building cfn-skeleton"
for platform in ${!platforms[@]}; do
for architecture in ${!architectures[@]}; do
echo "... $platform $architecture..."
name=cfn-skeleton-${platforms[$platform]}-${architectures[$architecture]}
if [ "$platform" == "windows" ]; then
name=${name}.exe
fi
GOOS=$platform GOARCH=$architecture go build -o $DESTDIR/$name cmd/cfn-skeleton/*
done
done
echo "All done."
|
<gh_stars>0
const NotFound = () => {
const view = `
<div class="NotFound">
<h1>Error 404. We couldn't found the page you are looking for</h1>
</div>
`;
return view;
}
export default NotFound; |
#!/bin/bash
# Initial update
sudo apt-get update
sudo apt-get upgrade
# Installs docker
sudo apt-get install docker.io
# Installs docker compose
curl -L https://github.com/docker/compose/releases/download/1.25.0/docker-compose-`uname -s`-`uname -m` -o /usr/local/bin/docker-compose
chmod +x /usr/local/bin/docker-compose
# Updates docker engine
# apt-get upgrade docker-engine
# Prints Docker version
# echo docker version | grep "Version"
read -p "Install nginx-proxy [yes|no]? " install_nginx_proxy
if [ $install_nginx_proxy="yes" ]; then
# Create a network for nginx-proxy
docker network create nginx-proxy
# Install nginx-proxy: this is a container that allows to process
# multiple incoming requests and redirect them to the correct container.
# Useful in cases where we want to host multiple websites using the same
# VPS and IP adress
docker run -d -p 80:80 --name nginx-proxy --net nginx-proxy -v /var/run/docker.sock:/tmp/docker.sock jwilder/nginx-proxy
fi
# Pulls the cadvisor container for monitoring purposes
read -p "Install Cadvisor [yes|no]?" install_cadvisor
if [ $cadvisor=="yes" ]; then
docker pull cadvisor
fi
# Pulls the PGAdmin container
read -p "Install PG Admin [yes|no]?" install_pgadmin
if [ $install_pgadmin=="yes" ]; then
docker pull dpage/pgadmin4
fi
# Pulls Jenkins
# docker pull jenkins
# docker run -d -p 49001:8080 -v $PWD/jenkins:/var/jenkins_home:z -t jenkins/jenkins
# Activates the firewall if necessary
# and then shows the status
sudo ufw allow ssh
sudo ufw allow 80
sudo ufw allow 443
sudo ufw status verbose
# Install tree
snap install tree
# General update
sudo apt-get update
sudo apt-get upgrade
|
#!/bin/sh
set -e
SCRIPT_DIR=`realpath $(dirname "$0")`
LICENSE_FILE=waterstream.license
#export KSQL_VERSION=4.1.4
#echo KSQL_VERSION=$KSQL_VERSION
if test -f "$LICENSE_FILE"; then
echo License file found
else
echo You need lincense file $LICENSE_FILE to proceed 1>&2
exit 1
fi
#Copy without overwriting
cp -nv config_examples/* . || true
cp -nv config_examples/.env . || true
echo Making sure that network exists..
./createNetwork.sh || true
docker-compose up -d
|
<filename>internal/app/store/sqlstore/cardrepository.go
package sqlstore
import (
"github.com/ythosa/winlock-server/internal/app/model"
)
// CardRepository ...
type CardRepository struct {
store *Store
}
// Create ...
func (r *CardRepository) Create(c *model.Card) error {
if err := c.Validate(); err != nil {
return err
}
return r.store.db.QueryRow(
"INSERT INTO cards (digits, cvv, card_date, card_owner) VALUES ($1, $2, $3, $4) RETURNING id",
c.Digits,
c.Cvv,
c.Date,
c.Owner,
).Scan(&c.ID)
}
// GetAll ...
func (r *CardRepository) GetAll() ([]*model.Card, error) {
rows, err := r.store.db.Query("SELECT * FROM cards")
if err != nil {
return nil, err
}
defer rows.Close()
cds := make([]*model.Card, 0)
for rows.Next() {
cd := new(model.Card)
err := rows.Scan(&cd.ID, &cd.Digits, &cd.Cvv, &cd.Date, &cd.Owner)
if err != nil {
return nil, err
}
cds = append(cds, cd)
}
if err = rows.Err(); err != nil {
return nil, err
}
return cds, nil
}
|
<gh_stars>10-100
export * from './BlueBrickTerrainTile';
export * from './BrickSuperTerrainTile';
export * from './BrickTerrainTile';
export * from './IceTerrainTile';
export * from './InverseBrickTerrainTile';
export * from './JungleTerrainTile';
export * from './MenuBrickTerrainTile';
export * from './SteelTerrainTile';
export * from './WaterTerrainTile';
|
#!/bin/bash
PROJECTDIR="$(cd "$( dirname "${BASH_SOURCE[0]}" )" >/dev/null 2>&1 && pwd)"
CURDIR="$(pwd)"
FILEPATH="$(cd "$(dirname "${1}")"; pwd -P)/$(basename "${1}")"
cd "${PROJECTDIR}/doxygen"
doxygen ./doxygen_firmware.conf
doxygen ./doxygen_software.conf
cd "${CURDIR}"
SOFTWARE_HTML="file://${CURDIR}/doxygen/software/html/index.html"
FIRMWARE_HTML="file://${CURDIR}/doxygen/firmware/html/index.html"
echo "------------------------------------------------------------------"
echo "Software documentation: ${SOFTWARE_HTML}"
echo "Firmware documentation: ${FIRMWARE_HTML}"
echo ""
echo "Done."
|
#!/bin/bash
if [ $CIRCLECI ]; then
echo "warning: Skipping SwiftLint because ENV is CI"
else
# Only check the directory that matches the product name that's being built.
pushd "$PRODUCT_NAME"
swiftlint --config "../.swiftlint.yml"
popd
fi |
package service
import (
"github.com/ridwanakf/weebinar/internal/entity"
"log"
"net/http"
"strconv"
"strings"
"github.com/labstack/echo/v4"
"github.com/ridwanakf/weebinar/internal"
"github.com/ridwanakf/weebinar/internal/app"
)
type StudentService struct {
uc internal.StudentUC
teacherUC internal.TeacherUC
}
func NewStudentService(app *app.WeebinarApp) *StudentService {
return &StudentService{
uc: app.UseCases.StudentUC,
teacherUC: app.UseCases.TeacherUC,
}
}
func (s *StudentService) HomeStudentPageHandler(c echo.Context) error {
id, err := GetUserSessionID(c)
if err != nil {
log.Printf("[StudentService][HomeStudentPageHandler] error getting user id from session: %+v\n", err)
return Logout(c)
}
student, err := s.uc.GetStudentProfile(id)
if err != nil {
log.Printf("[StudentService][HomeStudentPageHandler] error getting user details: %+v\n", err)
return Logout(c)
}
webinars, err := s.uc.GetAllRegisteredWebinar(id)
if err != nil {
log.Printf("[StudentService][HomeStudentPageHandler] error getting user details: %+v\n", err)
return Logout(c)
}
// TODO: THIS IS SO UGLY
var webinarsWithStatus []struct {
Webinar entity.Webinar
Status int32
}
for _, v := range webinars{
temp := struct {
Webinar entity.Webinar
Status int32
}{
Webinar: v,
Status: s.isRegistered(id, v),
}
webinarsWithStatus = append(webinarsWithStatus, temp)
}
return c.Render(http.StatusOK, "home_student", map[string]interface{}{
"student": student,
"webinars_and_status": webinarsWithStatus,
})
}
func (s *StudentService) ProfileStudentPageHandler(c echo.Context) error {
id, err := GetUserSessionID(c)
if err != nil {
log.Printf("[StudentService][ProfileStudentPageHandler] error getting user id from session: %+v\n", err)
return Logout(c)
}
student, err := s.uc.GetStudentProfile(id)
if err != nil {
log.Printf("[StudentService][ProfileStudentPageHandler] error getting user details: %+v\n", err)
return Logout(c)
}
return c.Render(http.StatusOK, "settings", map[string]interface{}{
"user": student,
"role": "student",
})
}
func (s *StudentService) RegisteredWebinarHandler(c echo.Context) error {
id, err := GetUserSessionID(c)
if err != nil {
log.Printf("[StudentService][RegisteredWebinarHandler] error getting user id from session: %+v\n", err)
return BackToHome(c)
}
student, err := s.uc.GetStudentProfile(id)
if err != nil {
log.Printf("[StudentService][RegisteredWebinarHandler] error getting user details: %+v\n", err)
return BackToHome(c)
}
webinars, err := s.uc.GetAllRegisteredWebinar(id)
if err != nil {
log.Printf("[StudentService][RegisteredWebinarHandler] error getting webinar: %+v\n", err)
return BackToHome(c)
}
return c.Render(http.StatusOK, "", map[string]interface{}{
"student": student,
"webinars": webinars,
})
}
func (s *StudentService) SearchWebinarHandler(c echo.Context) error {
slug := c.QueryParam("slug")
webinars, err := s.uc.SearchWebinarBySlug(slug)
if err != nil {
log.Printf("[StudentService][SearchWebinarHandler] error getting webinars: %+v\n", err)
return BackToHome(c)
}
return c.Render(http.StatusOK, "webinar_search", map[string]interface{}{
"webinars": webinars,
"total_result": len(webinars),
"slug": slug,
})
}
func (s *StudentService) StudentWebinarDetailPageHandler(c echo.Context) error {
id, err := GetUserSessionID(c)
if err != nil {
log.Printf("[StudentService][StudentWebinarDetailPageHandler] error getting user id from session: %+v\n", err)
return Logout(c)
}
idParam := c.Param("id")
webinarID, err := strconv.ParseInt(idParam, 10, 64)
if err != nil {
log.Printf("[StudentService][StudentWebinarDetailPageHandler] error parsing id from query param: %+v\n", err)
return BackToHome(c)
}
webinar, err := s.uc.GetWebinarByID(webinarID)
if err != nil {
log.Printf("[StudentService][StudentWebinarDetailPageHandler] error getting webinar details: %+v\n", err)
return BackToHome(c)
}
teacher, err := s.teacherUC.GetTeacherProfile(webinar.TeacherID)
if err != nil {
log.Printf("[StudentService][StudentWebinarDetailPageHandler] error getting user details: %+v\n", err)
return Logout(c)
}
status := s.isRegistered(id, webinar)
return c.Render(http.StatusOK, "detail_student", map[string]interface{}{
"status": status,
"teacher": teacher,
"webinar": webinar,
"participants": webinar.Participants,
})
}
func (s *StudentService) EnrollWebinarHandler(c echo.Context) error {
id, err := GetUserSessionID(c)
if err != nil {
log.Printf("[StudentService][EnrollWebinarHandler] error getting user id from session: %+v\n", err)
return BackToHome(c)
}
idParam := c.Param("id")
webinarID, err := strconv.ParseInt(idParam, 10, 64)
if err != nil {
log.Printf("[StudentService][EnrollWebinarHandler] error parsing id from query param: %+v\n", err)
return BackToHome(c)
}
webinar, err := s.uc.GetWebinarByID(webinarID)
if err != nil {
log.Printf("[StudentService][EnrollWebinarHandler] error getting webinar details: %+v\n", err)
return BackToHome(c)
}
enrollParam := entity.EnrollWebinarParam{
WebinarID: webinar.ID,
TeacherID: webinar.TeacherID,
}
err = s.uc.EnrollWebinar(id, enrollParam)
if err != nil {
log.Printf("[StudentService][EnrollWebinarHandler] error when enrolling student to webinar: %+v\n", err)
return BackToHome(c)
}
c.Request().URL.Path = strings.ReplaceAll(c.Request().URL.Path, "/enroll", "")
return c.Redirect(http.StatusMovedPermanently, c.Request().URL.Path)
}
func (s *StudentService) CancelEnrollWebinarHandler(c echo.Context) error {
id, err := GetUserSessionID(c)
if err != nil {
log.Printf("[StudentService][CancelEnrollWebinarHandler] error getting user id from session: %+v\n", err)
return BackToHome(c)
}
idParam := c.Param("id")
webinarID, err := strconv.ParseInt(idParam, 10, 64)
if err != nil {
log.Printf("[StudentService][CancelEnrollWebinarHandler] error parsing id from query param: %+v\n", err)
return BackToHome(c)
}
webinar, err := s.uc.GetWebinarByID(webinarID)
if err != nil {
log.Printf("[StudentService][CancelEnrollWebinarHandler] error getting webinar details: %+v\n", err)
return BackToHome(c)
}
cancelParam := entity.CancelEnrollmentWebinarParam{
WebinarID: webinar.ID,
TeacherID: webinar.TeacherID,
}
err = s.uc.CancelEnrollmentWebinar(id, cancelParam)
if err != nil {
log.Printf("[StudentService][CancelEnrollWebinarHandler] error when cancelling enrolling student to webinar: %+v\n", err)
return BackToHome(c)
}
return c.Render(http.StatusOK, "", nil)
}
func (s *StudentService) isRegistered(studentID string, webinar entity.Webinar) int32 {
for _, v := range webinar.Participants {
if v.ID == studentID {
return v.Status
}
}
return -1
}
|
package com.lambo.robot;
/**
* 中断通知器.
* Created by lambo on 2017/7/23.
*/
public interface IInterruptListener {
/**
* 打断会话.
*/
void interrupt();
}
|
#!/bin/sh
/timely-server-src/bin/docker/deploy-timely-build.sh
/timely-server-src/bin/docker/wait-for-it.sh timely:54322 -t 45
# create datasource in grafana
#curl -X POST -u admin:admin -H "Content-Type: application/json" -d \
#'{"name":"Timely","type":"opentsdb","url":"https://timely:54322","access":"proxy","jsonData":{"tsdbVersion":1,"tsdbResolution":1}}' \
#http://grafana:3000/api/datasources
# insert the dashboard
#curl -X POST -u admin:admin -H "Content-Type: application/json" \
#-d @/timely-server-src/bin/docker/standalone_test.json \
#http://grafana:3000/api/dashboards/db
/timely/bin/insert-test-data.sh
|
<filename>spec/spec_helper.rb
# This file is copied to ~/spec when you run 'ruby script/generate rspec'
# from the project root directory.
ENV["RAILS_ENV"] = "test"
require File.expand_path(File.dirname(__FILE__) + "/../config/environment")
require 'spec'
require 'spec/rails'
Spec::Runner.configure do |config|
# If you're not using ActiveRecord you should remove these
# lines, delete config/database.yml and disable :active_record
# in your config/boot.rb
config.use_transactional_fixtures = true
config.use_instantiated_fixtures = false
config.fixture_path = RAILS_ROOT + '/spec/fixtures/'
# == Fixtures
#
# You can declare fixtures for each example_group like this:
# describe "...." do
# fixtures :table_a, :table_b
#
# Alternatively, if you prefer to declare them only once, you can
# do so right here. Just uncomment the next line and replace the fixture
# names with your fixtures.
#
# config.global_fixtures = :table_a, :table_b
#
# If you declare global fixtures, be aware that they will be declared
# for all of your examples, even those that don't use them.
#
# == Mock Framework
#
# RSpec uses it's own mocking framework by default. If you prefer to
# use mocha, flexmock or RR, uncomment the appropriate line:
#
# config.mock_with :mocha
# config.mock_with :flexmock
# config.mock_with :rr
config.include FixtureReplacement
config.include AuthenticatedTestHelper
end
def mock_and_find(clazz, options={})
retval = mock_model(clazz, options)
clazz.stub!(:find).with(retval.id.to_s).and_return(retval)
return retval
end
class MatchHash
def initialize(expected)
@expected = expected
end
def matches?(target)
@target = target
failure_start = "expected #{@expected.inspect}, but "
case target
when nil
@failure_message = failure_start + "target is nil"
return false
when Hash
target_keys = target.keys.to_a
expected_keys = @expected.keys.to_a
if ((missing = expected_keys - target_keys).size > 0)
@failure_message = failure_start + "target is missing keys " +
missing.join(", ")
return false
elsif ((extra = target_keys - expected_keys).size > 0)
@failure_message = failure_start + "target has extra keys " +
extra.inject(""){|string, key| string + "#{key.to_s}=#{target[key]} "}
return false
else
mismatched_keys = []
expected_keys.each do |key|
if(@expected[key] != @target[key])
mismatched_keys << key
end
end
if (mismatched_keys.size > 0)
@failure_message = failure_start + "these keys do not match in #{@target.inspect}: " +
mismatched_keys.join(", ")
return false
else
return true
end
end
else
@failure_message = failure_start + "target is not a Hash"
return false
end
end
def failure_message
@failure_message
end
def negative_failure_message
"expected #{@target.inspect} not to match hash #{@expected}"
end
end
def match_hash(expected)
MatchHash.new(expected)
end
|
// These functions were taken from https://lhartikk.github.io/jekyll/update/2017/07/13/chapter2.html
// in seconds
import { Utils } from '../utils/utils';
import { Block } from '../block-chain/block';
export class ProofOfWork {
// in seconds
private BLOCK_GENERATION_INTERVAL: number = 10;
// in blocks
private DIFFICULTY_ADJUSTMENT_INTERVAL: number = 10;
private utils:Utils = new Utils();
constructor() {
}
public hashMatchesDifficulty(hash: string, difficulty: number): boolean {
const hashInBinary: string = this.utils.hexToBinary(hash);
const requiredPrefix: string = '0'.repeat(difficulty);
return hashInBinary.startsWith(requiredPrefix);
}
public getDifficulty(aBlockchain: Block[]): number {
const latestBlock: Block = aBlockchain[aBlockchain.length - 1];
if (latestBlock.index % this.DIFFICULTY_ADJUSTMENT_INTERVAL === 0 && latestBlock.index !== 0) {
return this.getAdjustedDifficulty(latestBlock, aBlockchain);
} else {
return latestBlock.difficulty;
}
}
public getAdjustedDifficulty(latestBlock: Block, aBlockchain: Block[]) {
const prevAdjustmentBlock: Block = aBlockchain[aBlockchain.length - this.DIFFICULTY_ADJUSTMENT_INTERVAL];
const timeExpected: number = this.BLOCK_GENERATION_INTERVAL * this.DIFFICULTY_ADJUSTMENT_INTERVAL;
const timeTaken: number = latestBlock.timestamp - prevAdjustmentBlock.timestamp;
if (timeTaken < timeExpected / 2) {
return prevAdjustmentBlock.difficulty + 1;
} else if (timeTaken > timeExpected * 2) {
return prevAdjustmentBlock.difficulty - 1;
} else {
return prevAdjustmentBlock.difficulty;
}
}
} |
git clone --bare https://github.com/Milena-K/dotfiles $HOME/.cfg
function config {
/usr/bin/git --git-dir=$HOME/.cfg/ --work-tree=$HOME $@
}
mkdir -p .config-backup
config checkout
if [ $? = 0 ]; then
echo "Checked out config.";
else
echo "Backing up pre-existing dot files.";
config checkout 2>&1 | egrep "\s+\." | awk {'print $1'} | xargs -I{} mv {} .config-backup/{}
fi;
config checkout
config config status.showUntrackedFiles no
|
<gh_stars>0
import React, { useState } from 'react';
import './App.scss';
import Head from './partials/Head/Head';
import Description from './partials/Description/Description';
import Privacy from './partials/Privacy/Privacy';
import Initialization from './partials/Initialization/Initialization';
const App = () => {
// Description props
const [ownersList] = useState([{ name: 'theolavaux', value: 'theolavaux' }]);
const [repositoryOwner, setRepositoryOwner] = useState(ownersList[0].value);
const [repositoryName, setRepositoryName] = useState('');
const [repositoryDescription, setRepositoryDescription] = useState('');
// Privacy props
const [repositoryPrivacy, setRepositoryPrivacy] = useState('public');
// Initialization props
const [createReadme, setReadme] = useState(false);
const [addGitIgnore, setGitIgnore] = useState(false);
const [useLicense, setLicense] = useState(false);
return (
<div className="App">
<form>
<Head />
<Description
onRepositoryOwnerSet={(owner: string) => setRepositoryOwner(owner)}
onRepositoryNameSet={(name: string) => setRepositoryName(name)}
onRepositoryDescriptionSet={(description: string) =>
setRepositoryDescription(description)
}
ownersList={ownersList}
repositoryName={repositoryName}
repositoryOwner={repositoryOwner}
repositoryDescription={repositoryDescription}
/>
<Privacy
onRepositoryPrivacySet={(privacy: string) =>
setRepositoryPrivacy(privacy)
}
repositoryPrivacy={repositoryPrivacy}
/>
<Initialization
createReadme={createReadme}
addGitIgnore={addGitIgnore}
useLicense={useLicense}
onReadmeSet={(readme: boolean) => setReadme(readme)}
onGitIgnoreSet={(gitignore: boolean) => setGitIgnore(gitignore)}
onLicenseSet={(license: boolean) => setLicense(license)}
/>
<input id="createRepository" type="submit" value="Create repository" />
</form>
</div>
);
};
export default App;
|
#!/usr/bin/env zsh
case $(uname) in
Darwin)
brew install fzf
;;
Linux)
# No such package
# sudo apt install fzf
:
;;
*)
:
;;
esac
|
from bs4 import BeautifulSoup
from typing import List
def extract_classes(html_snippet: str) -> List[str]:
class_list = []
soup = BeautifulSoup(html_snippet, 'html.parser')
elements = soup.find_all(class_=True)
for element in elements:
classes = element['class']
class_list.extend(classes)
return list(set(class_list)) |
#!/bin/sh
#
# K2HR3 Utilities - Command Line Interface
#
# Copyright 2021 Yahoo! Japan Corporation.
#
# K2HR3 is K2hdkc based Resource and Roles and policy Rules, gathers
# common management information for the cloud.
# K2HR3 can dynamically manage information as "who", "what", "operate".
# These are stored as roles, resources, policies in K2hdkc, and the
# client system can dynamically read and modify these information.
#
# For the full copyright and license information, please view
# the license file that was distributed with this source code.
#
# AUTHOR: Takeshi Nakatani
# CREATE: Mon Feb 15 2021
# REVISION:
#
#---------------------------------------------------------------------
# Variables
#---------------------------------------------------------------------
TESTNAME=$(basename "$0")
# shellcheck disable=SC2034
TESTBASENAME=$(echo "${TESTNAME}" | sed 's/[.]sh$//')
TESTDIR=$(dirname "$0")
TESTDIR=$(cd "${TESTDIR}" || exit 1; pwd)
#
# Load utility file for test
#
UTIL_TESTFILE="util_test.sh"
if [ -f "${TESTDIR}/${UTIL_TESTFILE}" ]; then
. "${TESTDIR}/${UTIL_TESTFILE}"
fi
#=====================================================================
# Test for Service
#=====================================================================
TEST_EXIT_CODE=0
#---------------------------------------------------------------------
# (1) Normal : Create service without verify
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(1) Normal : Create service with object"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service create "test_service" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (2) Normal : Create service with verify object
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(2) Normal : Create service with verify object"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service create "test_service" --verify "[{\"name\":\"test_service_resouce_string\",\"type\":\"string\",\"data\":null}]" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (3) Normal : Create service with verify url
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(3) Normal : Create service with verify url"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service create "test_service" --verify "https://localhost/" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (4) Normal : Create service with verify false
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(4) Normal : Create service with verify false"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service create "test_service" --verify false --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (5) Normal : Show service
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(5) Normal : Show service"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service show "test_service" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (6) Normal : Delete service
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(6) Normal : Delete service"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service delete "test_service" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (7) Normal : Add service tenant
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(7) Normal : Add service tenant"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service tenant add "test_service" "test_service_member" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (8) Normal : Check service tenant
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(8) Normal : Check service tenant"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service tenant check "test_service" "test_service_member" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (9) Normal : Delete service tenant(owner operation)
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(9) Normal : Delete service tenant(owner operation)"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service tenant delete "test_service" "test_service_member" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (10) Normal : Delete service tenant with clear(owner operation)
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(10) Normal : Delete service tenant with clear(owner operation)"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service tenant delete "test_service" "test_service_member" --clear_tenant --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (11) Normal : Update service verify url
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(11) Normal : Update service verify url"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service verify update "test_service" "http://localhost/" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (12) Normal : Update service verify object
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(12) Normal : Update service verify object"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service verify update "test_service" "[{\"name\":\"test_service_resouce_string\",\"type\":\"string\",\"data\":null}]" --tenant test_tenant --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# (13) Normal : Delete tenant member service
#---------------------------------------------------------------------
#
# Title
#
TEST_TITLE="(13) Normal : Delete tenant member service"
test_prn_title "${TEST_TITLE}"
#
# Run
#
"${K2HR3CLIBIN}" service member clear "test_service" "test_service_member" --tenant test_service_member --scopedtoken TEST_TOKEN_SCOPED_DUMMY "$@" > "${SUB_TEST_PART_FILE}"
#
# Check result
#
test_processing_result "$?" "${SUB_TEST_PART_FILE}" "${TEST_TITLE}"
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
#---------------------------------------------------------------------
# Check update log
#---------------------------------------------------------------------
test_update_snapshot
if [ $? -ne 0 ]; then
TEST_EXIT_CODE=1
fi
exit ${TEST_EXIT_CODE}
#
# Local variables:
# tab-width: 4
# c-basic-offset: 4
# End:
# vim600: noexpandtab sw=4 ts=4 fdm=marker
# vim<600: noexpandtab sw=4 ts=4
#
|
<gh_stars>0
/*
* This file is part of the TinsPHP project published under the Apache License 2.0
* For the full copyright and license information, please have a look at LICENSE in the
* root folder or visit the project's website http://tsphp.ch/wiki/display/TINS/License
*/
/*
* This class is based on the class CompilerException from the TSPHP project.
* TSPHP is also published under the Apache License 2.0
* For more information see http://tsphp.ch/wiki/display/TSPHP/License
*/
package ch.tsphp.tinsphp.exceptions;
public class CompilerException extends RuntimeException
{
public CompilerException() {
super();
}
public CompilerException(String message) {
super(message);
}
public CompilerException(String message, Throwable cause) {
super(message, cause);
}
public CompilerException(Throwable cause) {
super(cause);
}
protected CompilerException(String message, Throwable cause,
boolean enableSuppression,
boolean writableStackTrace) {
super(message, cause, enableSuppression, writableStackTrace);
}
}
|
import React, { useEffect, useState } from 'react'
const BackTop: React.FC = ({ children }) => {
const [isShow, setIsShow] = useState(false)
function handleIsShow () {
if (document.documentElement.scrollTop > 60) {
setIsShow(true)
} else {
setIsShow(false)
}
}
useEffect(() => {
window.addEventListener('scroll', handleIsShow)
return () => {
window.removeEventListener('scroll', handleIsShow)
}
}, [])
return (
<>
{
isShow && <div onClick={() => {
scrollTo({ top: 0 })
}} className={'zzf-back-top'}>
{children}
</div>
}
</>
)
}
export default BackTop
|
<reponame>mhs1314/allPay
package com.qht.rest;
import com.github.wxiaoqi.security.common.rest.BaseController;
import com.qht.biz.LoginLogBiz;
import com.qht.entity.LoginLog;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
@Controller
@RequestMapping("loginLog")
public class LoginLogController extends APIBaseController<LoginLogBiz,LoginLog> {
} |
package ch.raiffeisen.openbank.offer.service;
import java.util.Objects;
import javax.inject.Inject;
import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;
import org.springframework.stereotype.Service;
import ch.raiffeisen.openbank.offer.persistency.OfferRepository;
import ch.raiffeisen.openbank.offer.service.api.OfferDTO;
/**
* This class represents the offer service.
*
* @author <NAME>
*/
@Service
public class OfferService {
@Inject
private OfferRepository offerRepository;
@Inject
private OfferMapper offerMapper;
public Page<OfferDTO> findAll(Pageable pageable) {
return offerRepository.findAll(pageable).map(offerMapper::convert);
}
public Page<OfferDTO> findByAccountId(String accountId, Pageable pageable) {
Objects.requireNonNull(accountId, "accountId must not be null");
return offerRepository.findByAccountId(accountId, pageable).map(offerMapper::convert);
}
}
|
<reponame>dukejones/celoterminal
import * as sqliteDB from 'better-sqlite3'
import * as fs from 'fs'
import * as path from 'path'
import * as crypto from 'crypto'
import * as log from 'electron-log'
import { ensureLeading0x, toChecksumAddress, privateKeyToAddress } from '@celo/utils/lib/address'
import { isValidAddress } from 'ethereumjs-util'
import { Account, AddressOnlyAccount, LedgerAccount, LocalAccount, MultiSigAccount } from './accounts'
import { UserError } from '../error'
// Supported `account` row versions. Last version is the current version.
// Version must be increased when:
// * New account type is added.
// * Encoding is changed for an account type.
const supportedVersions = [1, 2]
const currentVersion = supportedVersions[supportedVersions.length - 1]
class AccountsDB {
private db
// Prepared queries:
private pSelectAccounts
private pInsertAccount
private pUpdateAccount
private pRemoveAccount
private pRenameAccount
private pSelectEncryptedAccounts
private pUpdateEncryptedData
private pSelectPassword
private pUpdatePassword
private pInsertPassword
constructor(public readonly dbPath: string) {
const dbdir = path.dirname(dbPath)
fs.mkdirSync(dbdir, {recursive: true})
log.info(`DB: opening database`, this.dbPath)
this.db = sqliteDB(this.dbPath, {fileMustExist: false, readonly: false})
this.db.exec(`
CREATE TABLE IF NOT EXISTS accounts (
address TEXT PRIMARY KEY,
version NUMBER,
type TEXT,
name TEXT,
data TEXT,
encrypted_data TEXT
) WITHOUT ROWID;`)
this.db.exec(`
CREATE TABLE IF NOT EXISTS password (
id INTEGER PRIMARY KEY CHECK (id = 0),
encrypted_password TEXT
) WITHOUT ROWID;`)
this.pSelectAccounts = this.db.prepare<[]>(`SELECT * FROM accounts`)
this.pInsertAccount = this.db.prepare<
[string, number, string, string, string, string]>(
`INSERT INTO accounts
(address, version, type, name, data, encrypted_data) VALUES
(?, ?, ?, ?, ?, ?)`)
this.pUpdateAccount = this.db.prepare<
[number, string, string, string, string, string]>(
`UPDATE accounts SET version = ?, data = ?, encrypted_data = ?
WHERE address = ? AND type = ? AND name = ?`)
this.pRemoveAccount = this.db.prepare<
[string, string]>("DELETE FROM accounts WHERE address = ? AND type = ?")
this.pRenameAccount = this.db.prepare<
[string, string, string]>("UPDATE accounts SET name = ? WHERE address = ? AND type = ?")
this.pSelectEncryptedAccounts = this.db.prepare<[]>(
`SELECT address, type, encrypted_data FROM accounts WHERE encrypted_data IS NOT NULL AND encrypted_data != ''`)
this.pUpdateEncryptedData = this.db.prepare<
[string, string]>(`UPDATE accounts SET encrypted_data = ? WHERE address = ?`)
this.pSelectPassword = this.db.prepare<[]>("SELECT * from password")
this.pUpdatePassword = this.db.prepare<[string]>(`UPDATE password SET encrypted_password = ? WHERE id = 0`)
this.pInsertPassword = this.db.prepare<[string]>(`INSERT INTO password (id, encrypted_password) VALUES (0, ?)`)
}
public close = (): void => {
log.info(`DB: closing database`)
this.db.close()
}
public readAccounts = (): Account[] => {
const rows: {
address: string
name: string
type: string
version: number
data: string
encrypted_data: string
}[] = this.pSelectAccounts.all()
const accounts: Account[] = rows.filter(
(r) => supportedVersions.indexOf(r.version) >= 0).map((r) => {
const base = {
type: r.type,
name: r.name,
address: toChecksumAddress(r.address),
}
switch (r.type) {
case "address-only":
return base as AddressOnlyAccount
case "local":
return {
...base,
encryptedData: r.encrypted_data,
} as LocalAccount
case "ledger": {
const parsedData = JSON.parse(r.data)
return {
...base,
...parsedData,
} as LedgerAccount
}
case "multisig": {
const parsedData = JSON.parse(r.data)
return {
...base,
...parsedData,
} as MultiSigAccount
}
default:
throw new Error(`Unrecognized account type: ${r.type}.`)
}
})
return accounts
}
public addAccount = (a: Account, password?: string, update?: boolean): void => {
let data: string
let encryptedData: string
switch (a.type) {
case "local": {
data = ""
encryptedData = a.encryptedData
if (!password) {
throw new UserError(`Password must be provided when adding local accounts.`)
}
// Sanity check to make sure encryptedData is decryptable.
const localKey = decryptLocalKey(encryptedData, password)
const keyAddress = privateKeyToAddress(localKey.privateKey)
if (keyAddress !== a.address) {
throw new Error(`LocalKey address mismatch. Expected: ${a.address}, got: ${keyAddress}.`)
}
break
}
case "address-only":
data = ""
encryptedData = ""
break
case "ledger":
data = JSON.stringify({
baseDerivationPath: a.baseDerivationPath,
derivationPathIndex: a.derivationPathIndex,
})
encryptedData = ""
break
case "multisig":
data = JSON.stringify({ownerAddress: a.ownerAddress})
encryptedData = ""
break
default:
throw new Error(`Unrecognized account type.`)
}
if (!isValidAddress(a.address)) {
throw new UserError(`Invalid address: ${a.address}.`)
}
const address = ensureLeading0x(a.address).toLowerCase()
this.db.transaction(() => {
if (password) {
this._verifyAndUpdatePassword(password, password)
}
log.info(`accounts-db: adding account: ${a.type}/${address}.`)
try {
if (!update) {
const result = this.pInsertAccount.run(
address, currentVersion, a.type, a.name, data, encryptedData)
if (result.changes !== 1) {
throw new Error(`Unexpected error while adding account. Is Database corrupted?`)
}
} else {
const result = this.pUpdateAccount.run(
currentVersion, data, encryptedData,
address, a.type, a.name)
if (result.changes !== 1) {
throw new UserError(`Account: ${a.name} - ${address} not found to update.`)
}
}
} catch (e) {
if (e instanceof Error && e.message.startsWith("UNIQUE")) {
throw new UserError(`Account with address: ${a.address} already exists.`)
}
throw e
}
})()
}
public removeAccount = (a: Account): void => {
log.info(`accounts-db: removing account: ${a.type}/${a.address}.`)
this.pRemoveAccount.run(a.address.toLowerCase(), a.type)
}
public renameAccount = (a: Account, name: string): void => {
this.pRenameAccount.run(name, a.address.toLowerCase(), a.type)
}
public hasPassword = (): boolean => {
const pws = this.pSelectPassword.all()
return pws.length > 0
}
public changePassword = (oldPassword: string, newPassword: string): void => {
this.db.transaction(() => {
this._verifyAndUpdatePassword(oldPassword, newPassword)
log.info(`accounts-db: updating password...`)
const accounts: {
address: string,
type: string,
encrypted_data: string,
}[] = this.pSelectEncryptedAccounts.all()
for (const account of accounts) {
log.info(`accounts-db: re-encrypting: ${account.type}/${account.address}...`)
const newEncryptedData = encryptAES(decryptAES(account.encrypted_data, oldPassword), newPassword)
decryptAES(newEncryptedData, newPassword) // sanity check!
const result = this.pUpdateEncryptedData.run(newEncryptedData, account.address)
if (result.changes !== 1) {
throw new Error(`Unexpected error while updating encrypted data. Is Database corrupted?`)
}
}
log.info(`accounts-db: password update complete.`)
})()
}
// Must be called in a transaction.
private _verifyAndUpdatePassword = (oldPassword: string, newPassword: string) => {
const newEncryptedPassword = encryptAES(newPassword, newPassword)
const pws: {encrypted_password: string}[] = this.pSelectPassword.all()
if (pws.length > 1) {
throw new Error(`Unexpected error while checking password. Is Database corrupted?`)
}
if (pws.length === 1) {
try {
const existingPassword = decryptAES(pws[0].encrypted_password, oldPassword)
if (existingPassword !== oldPassword) {
throw Error()
}
} catch (e) {
throw new UserError(`Password does not match with the already existing password for local accounts.`)
}
if (newPassword !== oldPassword) {
const result = this.pUpdatePassword.run(newEncryptedPassword)
if (result.changes !== 1) {
throw new Error(`Unexpected error while updating password. Is Database corrupted?`)
}
}
} else {
const result = this.pInsertPassword.run(newEncryptedPassword)
if (result.changes !== 1) {
throw new Error(`Unexpected error while updating password. Is Database corrupted?`)
}
}
}
}
export default AccountsDB
export interface LocalKey {
mnemonic?: string
privateKey: string
}
export const encryptLocalKey = (
data: LocalKey,
password: string): string => {
return encryptAES(JSON.stringify(data), password)
}
export const decryptLocalKey = (
encryptedData: string,
password: string): LocalKey => {
try {
return JSON.parse(decryptAES(encryptedData, password))
} catch (e) {
throw new UserError(`Incorrect password, can not decrypt local account.`)
}
}
const IV_LENGTH = 16
const AES_KEY_LEN = 32
function encryptAES(plainData: string, password: string) {
const iv = crypto.randomBytes(IV_LENGTH);
const key = crypto.scryptSync(password, iv, AES_KEY_LEN)
const cipher = crypto.createCipheriv('aes-256-cbc', key, iv);
return iv.toString('hex') + ":" + cipher.update(plainData).toString('hex') + cipher.final().toString('hex')
}
function decryptAES(encryptedData: string, password: string) {
const parts = encryptedData.split(":")
const iv = Buffer.from(parts[0], 'hex')
const key = crypto.scryptSync(password, iv, AES_KEY_LEN)
const decipher = crypto.createDecipheriv('aes-256-cbc', key, iv);
return Buffer.concat([decipher.update(Buffer.from(parts[1], 'hex')), decipher.final()]).toString()
} |
//
// BinEditorPlugin Plugin
//
//
// Copyright (C) 2016 <NAME>
//
#pragma once
#include "api.h"
//-------------------------- BinEditorPlugin --------------------------------
//---------------------------------------------------------------------------
class BinEditorPlugin : public Studio::Plugin
{
Q_OBJECT
Q_PLUGIN_METADATA(IID "BinEditorPlugin" FILE "bineditorplugin.json")
Q_INTERFACES(Studio::Plugin)
public:
BinEditorPlugin();
virtual ~BinEditorPlugin();
bool initialise(QStringList const &arguments, QString *errormsg);
void shutdown();
public slots:
QWidget *create_view(QString const &type);
};
|
<filename>applications/physbam/physbam-lib/Public_Library/PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/SOLVE_CONTACT.cpp<gh_stars>10-100
//#####################################################################
// Copyright 2010, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>, <NAME>.
// This file is part of PhysBAM whose distribution is governed by the license contained in the accompanying file PHYSBAM_COPYRIGHT.txt.
//#####################################################################
#include <PhysBAM_Tools/Matrices/MATRIX.h>
#include <PhysBAM_Tools/Matrices/SYMMETRIC_MATRIX_3X3.h>
#include <PhysBAM_Tools/Vectors/VECTOR.h>
#include <PhysBAM_Tools/Vectors/VECTOR_ND.h>
#include <PhysBAM_Geometry/Basic_Geometry/BOUNDED_HORIZONTAL_PLANE.h>
#include <PhysBAM_Geometry/Basic_Geometry/SPHERE.h>
#include <PhysBAM_Geometry/Implicit_Objects/ANALYTIC_IMPLICIT_OBJECT.h>
#include <PhysBAM_Geometry/Implicit_Objects/IMPLICIT_OBJECT_TRANSFORMED.h>
#include <PhysBAM_Geometry/Implicit_Objects_Uniform/MULTIBODY_LEVELSET_IMPLICIT_OBJECT.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Articulated_Rigid_Bodies/ARTICULATED_RIGID_BODY_2D.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Articulated_Rigid_Bodies/ARTICULATED_RIGID_BODY_3D.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions/RIGID_BODY_COLLISIONS.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions/RIGID_BODY_CONTACT_GRAPH.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions/RIGID_BODY_SKIP_COLLISION_CHECK.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions/RIGIDS_COLLISION_CALLBACKS.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/CONTACT_PRECONDITIONER.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/DISCRETE_CONTACT.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/LEVELSET_CONTACT_PAIR.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/PARTICLES_IN_IMPLICIT_OBJECT.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/PARTICLES_IN_PROXIMITY.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/PROJECTED_GAUSS_SEIDEL.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/SOLVE_CONTACT.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/SPHERE_PLANE_CONTACT_PAIR.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/SPHERE_SPHERE_CONTACT_PAIR.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/SURFACE_CONTACT_PAIR.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/BOX_BOX_CONTACT_PAIR.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Collisions_Computations/BOX_PLANE_CONTACT_PAIR.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Parallel_Computation/MPI_RIGIDS.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Rigid_Bodies/RIGID_BODY.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Rigid_Bodies/RIGID_BODY_COLLECTION.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Rigid_Bodies/RIGID_BODY_COLLISION_PARAMETERS.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Rigid_Bodies/RIGID_BODY_MASS.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Rigid_Bodies/RIGID_BODY_POLICY.h>
#include <PhysBAM_Solids/PhysBAM_Rigids/Rigid_Body_Clusters/RIGID_BODY_CLUSTER_BINDINGS.h>
namespace PhysBAM
{
namespace SOLVE_CONTACT
{
template<class TV>
bool Solve_Projected_Gauss_Seidel(RIGID_BODY_COLLECTION<TV>& rigid_body_collection,RIGID_TRIANGLE_COLLISIONS<TV>* triangle_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,ARRAY<VECTOR<int,2> >& pairs,HASHTABLE<VECTOR<int,2> >& pairs_processed_by_contact,typename TV::SCALAR desired_separation_distance,typename TV::SCALAR contact_proximity,typename TV::SCALAR dt,typename TV::SCALAR tolerance,int iteration_maximum,const bool thin_shells);
//#####################################################################
// Function Solve
//#####################################################################
template<class TV>
void Solve(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,RIGID_BODY_COLLECTION<TV>& rigid_body_collection,
RIGID_BODY_COLLISION_PARAMETERS<TV>& parameters,const bool correct_contact_energy,const bool use_saved_pairs,const typename TV::SCALAR dt,const typename TV::SCALAR time,
MPI_RIGIDS<TV>* mpi_rigids,ARRAY<TWIST<TV> >& mpi_rigid_velocity_save,ARRAY<typename TV::SPIN>& mpi_rigid_angular_momentum_save)
{
typedef typename TV::SCALAR T;
LOG::SCOPE scope("rigid body contact kernel",rigid_body_collisions.parameters.threadid);
RIGID_BODY_CLUSTER_BINDINGS<TV>& rigid_body_cluster_bindings=rigid_body_collisions.rigid_body_cluster_bindings;
ARRAY<ARRAY<VECTOR<int,2> > >& contact_pairs_for_level=use_saved_pairs?rigid_body_collisions.saved_contact_pairs_for_level:rigid_body_collisions.precomputed_contact_pairs_for_level;
PHYSBAM_ASSERT(!parameters.use_projected_gauss_seidel || !mpi_rigids);
if(!use_saved_pairs || !parameters.use_projected_gauss_seidel){
LOG::SCOPE scope("guendelman-bridson-fedkiw contact",rigid_body_collisions.parameters.threadid);
HASHTABLE<VECTOR<std::string,2>,typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T> analytic_contact_registry;
if(parameters.use_analytic_collisions){Register_Analytic_Contacts<TV>(analytic_contact_registry);}
ARTICULATED_RIGID_BODY<TV>* articulated_rigid_body=&rigid_body_collisions.rigid_body_collection.articulated_rigid_body;
rigid_body_collisions.skip_collision_check.Reset();bool need_another_iteration=true;int iteration=0;T epsilon_scale=1;
while(need_another_iteration && ++iteration<=parameters.contact_iterations){
if(mpi_rigids){
mpi_rigids->Clear_Impulse_Accumulators(rigid_body_collection);
mpi_rigid_velocity_save.Resize(rigid_body_collection.rigid_body_particle.array_collection->Size(),false,false);
mpi_rigid_angular_momentum_save.Resize(rigid_body_collection.rigid_body_particle.array_collection->Size(),false,false);
for(int p=1;p<=rigid_body_collection.rigid_body_particle.array_collection->Size();p++) {
mpi_rigid_velocity_save(p).linear=rigid_body_collection.rigid_body_particle.V(p);
mpi_rigid_velocity_save(p).angular=rigid_body_collection.rigid_body_particle.angular_velocity(p);
mpi_rigid_angular_momentum_save(p)=rigid_body_collection.rigid_body_particle.angular_momentum(p);}}
need_another_iteration=false;
if(!parameters.use_ccd && parameters.use_epsilon_scaling) epsilon_scale=(T)iteration/parameters.contact_iterations;
for(int level=1;level<=rigid_body_collisions.contact_graph.Number_Of_Levels();level++){
ARRAY<VECTOR<int,2> >& pairs=contact_pairs_for_level(level);
bool need_another_level_iteration=true;int level_iteration=0;
while(need_another_level_iteration && ++level_iteration<=rigid_body_collisions.contact_level_iterations){need_another_level_iteration=false;
if(!parameters.use_ccd && parameters.use_epsilon_scaling_for_level) epsilon_scale=(T)iteration*level_iteration/(parameters.contact_iterations*rigid_body_collisions.contact_level_iterations);
for(int i=1;i<=pairs.m;i++){int id_1=pairs(i)(1),id_2=pairs(i)(2);
if(rigid_body_collisions.skip_collision_check.Skip_Pair(id_1,id_2)) continue;
if(rigid_body_collisions.prune_contact_using_velocity){
TRIPLE<int,int,int>& pair_scale=rigid_body_collisions.pairs_scale.Get(pairs(i).Sorted());
if((rigid_body_collisions.contact_level_iterations-level_iteration)%pair_scale.y || (parameters.contact_iterations-iteration)%pair_scale.x) continue;
if(Update_Contact_Pair(rigid_body_collisions,collision_callbacks,analytic_contact_registry,id_1,id_2,correct_contact_energy,
(int)(rigid_body_collisions.contact_pair_iterations/pair_scale.z),epsilon_scale,dt,time,false)){
if(!use_saved_pairs) rigid_body_collisions.saved_contact_pairs_for_level(level).Append_Unique(pairs(i)); // TODO: Potentially inefficient
need_another_level_iteration=true;need_another_iteration=true;}}
else{
bool mpi_one_ghost=mpi_rigids && (mpi_rigids->Is_Dynamic_Ghost_Body(rigid_body_collection.Rigid_Body(id_1)) || mpi_rigids->Is_Dynamic_Ghost_Body(rigid_body_collection.Rigid_Body(id_2)));
if(Update_Contact_Pair(rigid_body_collisions,collision_callbacks,analytic_contact_registry,id_1,id_2,correct_contact_energy,
rigid_body_collisions.contact_pair_iterations,epsilon_scale,dt,time,mpi_one_ghost)){
if(!use_saved_pairs) rigid_body_collisions.saved_contact_pairs_for_level(level).Append_Unique(pairs(i));
need_another_level_iteration=true;need_another_iteration=true;}}}
if(articulated_rigid_body)
for(int i=1;i<=articulated_rigid_body->contact_level_iterations;i++) for(int j=1;j<=articulated_rigid_body->process_list(level).m;j++){
rigid_body_collisions.Apply_Prestabilization_To_Joint(dt,time,*articulated_rigid_body,articulated_rigid_body->process_list(level)(j),epsilon_scale);
need_another_level_iteration=need_another_iteration=true;}}}
if(mpi_rigids){
int need_another_iteration_int=(int)need_another_iteration;
need_another_iteration=mpi_rigids->Reduce_Max(need_another_iteration_int)>0?true:false;
mpi_rigids->Exchange_All_Impulses(rigid_body_collection,mpi_rigid_velocity_save,mpi_rigid_angular_momentum_save,rigid_body_collisions,false,dt,time);}}
if(rigid_body_collisions.prune_stacks_from_contact) rigid_body_collisions.Apply_Stacking_Contact();
if(parameters.use_ccd){
T old_size=(T)(rigid_body_collection.rigid_body_particle.X.m);int max_iterations=20;
for(int level=1;level<=rigid_body_collisions.contact_graph.Number_Of_Levels();level++){
ARRAY<VECTOR<int,2> >& pairs=contact_pairs_for_level(level);
for(int i=1;i<=pairs.m;i++){int id_1=pairs(i)(1),id_2=pairs(i)(2);int iterations=0;
while(!rigid_body_collisions.skip_collision_check.Skip_Pair(id_1,id_2) && Update_Contact_Pair(rigid_body_collisions,collision_callbacks,analytic_contact_registry,id_1,id_2,correct_contact_energy,
rigid_body_collisions.contact_pair_iterations,epsilon_scale,dt,time,(mpi_rigids &&
(mpi_rigids->Is_Dynamic_Ghost_Body(rigid_body_collection.Rigid_Body(id_1)) || mpi_rigids->Is_Dynamic_Ghost_Body(rigid_body_collection.Rigid_Body(id_2))))) && iterations<max_iterations){iterations++;}
if(iterations==max_iterations) Rigidify_Contact_Pair(rigid_body_collisions,collision_callbacks,id_1,id_2,dt,time,false);
else Rigidify_Kinematic_Contact_Pair(rigid_body_collisions,collision_callbacks,id_1,id_2,dt,time,false);}}
//else Rigidify_Contact_Pair(rigid_body_collisions,collision_callbacks,id_1,id_2,dt,time,false);}}
ARRAY<int> parents;
for(typename HASHTABLE<int,typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER*>::ITERATOR i(rigid_body_cluster_bindings.reverse_bindings);i.Valid();i.Next()) parents.Append(i.Key());
Sort(parents);
for(int i=parents.m;i>0;i--){rigid_body_cluster_bindings.Delete_Binding(parents(i));rigid_body_collection.rigid_body_particle.array_collection->Delete_Element(parents(i));}
collision_callbacks.Restore_Size((int)old_size);
rigid_body_collection.rigid_body_particle.array_collection->Resize((int)old_size);
rigid_body_collisions.skip_collision_check.Resize(rigid_body_collection.rigid_body_particle.X.m);
/*for(int level=1;level<=rigid_body_collisions.contact_graph.Number_Of_Levels();level++){
ARRAY<VECTOR<int,2> >& pairs=contact_pairs_for_level(level);
for(int i=1;i<=pairs.m;i++){int id_1=pairs(i)(1),id_2=pairs(i)(2);
if(Update_Contact_Pair(rigid_body_collisions,collision_callbacks,analytic_contact_registry,id_1,id_2,correct_contact_energy,
rigid_body_collisions.contact_pair_iterations,epsilon_scale,dt,time,(mpi_rigids &&
(mpi_rigids->Is_Dynamic_Ghost_Body(rigid_body_collection.Rigid_Body(id_1)) || mpi_rigids->Is_Dynamic_Ghost_Body(rigid_body_collection.Rigid_Body(id_2)))))) PHYSBAM_FATAL_ERROR(STRING_UTILITIES::string_sprintf("Found penetrating pair 1=%d 2=%d",id_1,id_2));}}*/}}
else{
LOG::SCOPE scope("projected-gauss-seidel contact",rigid_body_collisions.parameters.threadid);
if(!use_saved_pairs) rigid_body_collisions.saved_contact_pairs_for_level=contact_pairs_for_level;
ARRAY<VECTOR<int,2> > pairs;
for(int level=1;level<=rigid_body_collisions.contact_graph.Number_Of_Levels();level++)
pairs.Append_Unique_Elements(contact_pairs_for_level(level));
int iteration_maximum=parameters.contact_iterations*rigid_body_collisions.contact_level_iterations*rigid_body_collisions.contact_pair_iterations;
Solve_Projected_Gauss_Seidel(rigid_body_collection,rigid_body_collisions.triangle_collisions,collision_callbacks,pairs,rigid_body_collisions.pairs_processed_by_contact,rigid_body_collisions.desired_separation_distance,parameters.contact_proximity,dt,parameters.projected_gauss_seidel_tolerance,iteration_maximum,parameters.use_ccd);
for(int i=1;i<=rigid_body_collection.rigid_body_particle.array_collection->Size();i++){
if(rigid_body_collection.Is_Active(i)){
RIGID_BODY<TV>& body=rigid_body_collection.Rigid_Body(i);
if(!body.Has_Infinite_Inertia()){
body.Update_Angular_Momentum();
collision_callbacks.Euler_Step_Position(i,dt,time);}}}}
}
//#####################################################################
// Function Rigidify_Contact_Pair
//#####################################################################
template<class TV> void
Rigidify_Contact_Pair(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,const int id_1,const int id_2,const typename TV::SCALAR dt,const typename TV::SCALAR time,const bool mpi_one_ghost)
{
RIGID_BODY_COLLECTION<TV>& rigid_body_collection=rigid_body_collisions.rigid_body_collection;
RIGID_BODY_CLUSTER_BINDINGS<TV>& rigid_body_cluster_bindings=rigid_body_collisions.rigid_body_cluster_bindings;
int parent_id_1=rigid_body_cluster_bindings.Get_Parent(rigid_body_collection.Rigid_Body(id_1)).particle_index;
int parent_id_2=rigid_body_cluster_bindings.Get_Parent(rigid_body_collection.Rigid_Body(id_2)).particle_index;
int parent=0;bool has_kinematic_body=false;
collision_callbacks.Restore_Position(parent_id_1);collision_callbacks.Restore_Position(parent_id_2);
rigid_body_cluster_bindings.Clamp_Particles_To_Embedded_Positions();
if(parent_id_1!=id_1){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent_id_1);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(cluster.kinematic_child(i)) collision_callbacks.Restore_Position(child);}}
if(parent_id_2!=id_2){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent_id_2);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(cluster.kinematic_child(i)) collision_callbacks.Restore_Position(child);}}
rigid_body_cluster_bindings.clamp_kinematic_positions=false;
if(parent_id_1==id_1 && parent_id_2==id_2){ARRAY<int,RIGID_CLUSTER_CONSTITUENT_ID> ids;ids.Append(id_1);ids.Append(id_2);parent=rigid_body_collisions.rigid_body_cluster_bindings.Add_Binding(ids);}
else if(parent_id_1==id_1){parent=parent_id_2;rigid_body_collisions.rigid_body_cluster_bindings.Append_To_Binding(parent_id_2,id_1);}
else if(parent_id_2==id_2){parent=parent_id_1;rigid_body_collisions.rigid_body_cluster_bindings.Append_To_Binding(parent_id_1,id_2);}
else if(parent_id_1!=parent_id_2) {parent=parent_id_1;rigid_body_collisions.rigid_body_cluster_bindings.Merge_Bindings(parent_id_1,parent_id_2);}
else{parent=parent_id_1;
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(child==id_1 || child==id_2){
RIGID_BODY<TV>& child_body=rigid_body_collection.Rigid_Body(child);cluster.kinematic_child(i)=false;
cluster.child_to_parent(i)=rigid_body_collection.Rigid_Body(parent).Frame().Inverse()*child_body.Frame();}
if(cluster.kinematic_child(i)) has_kinematic_body=true;}}
rigid_body_collisions.skip_collision_check.Resize(rigid_body_collection.rigid_body_particle.X.m);
collision_callbacks.Save_Position(parent);collision_callbacks.Euler_Step_Position(parent,dt,time);
if(has_kinematic_body){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){
int child=cluster.children(i);RIGID_BODY<TV>& child_body=rigid_body_collection.Rigid_Body(child);
if(cluster.kinematic_child(i)){
collision_callbacks.Euler_Step_Position(child,dt,time);
cluster.child_to_parent(i)=rigid_body_collection.Rigid_Body(parent).Frame().Inverse()*child_body.Frame();}}}
rigid_body_cluster_bindings.clamp_kinematic_positions=true;
rigid_body_cluster_bindings.Clamp_Particles_To_Embedded_Positions();
}
//#####################################################################
// Function Rigidify_Contact_Pair
//#####################################################################
template<class TV> void
Rigidify_Kinematic_Contact_Pair(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,const int id_1,const int id_2,const typename TV::SCALAR dt,const typename TV::SCALAR time,const bool mpi_one_ghost)
{
RIGID_BODY_COLLECTION<TV>& rigid_body_collection=rigid_body_collisions.rigid_body_collection;
RIGID_BODY_CLUSTER_BINDINGS<TV>& rigid_body_cluster_bindings=rigid_body_collisions.rigid_body_cluster_bindings;
int parent_id_1=rigid_body_cluster_bindings.Get_Parent(rigid_body_collection.Rigid_Body(id_1)).particle_index;
int parent_id_2=rigid_body_cluster_bindings.Get_Parent(rigid_body_collection.Rigid_Body(id_2)).particle_index;
int parent=0;bool has_kinematic_body=true;
collision_callbacks.Restore_Position(parent_id_1);collision_callbacks.Restore_Position(parent_id_2);
rigid_body_cluster_bindings.Clamp_Particles_To_Embedded_Positions();
if(parent_id_1!=id_1){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent_id_1);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(cluster.kinematic_child(i)) collision_callbacks.Restore_Position(child);}}
if(parent_id_2!=id_2){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent_id_2);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(cluster.kinematic_child(i)) collision_callbacks.Restore_Position(child);}}
rigid_body_cluster_bindings.clamp_kinematic_positions=false;
if(parent_id_1==id_1 && parent_id_2==id_2){ARRAY<int,RIGID_CLUSTER_CONSTITUENT_ID> ids;ids.Append(id_1);ids.Append(id_2);parent=rigid_body_collisions.rigid_body_cluster_bindings.Add_Binding(ids,true);}
else if(parent_id_1==id_1){parent=parent_id_2;rigid_body_collisions.rigid_body_cluster_bindings.Append_To_Binding(parent_id_2,id_1,true);}
else if(parent_id_2==id_2){parent=parent_id_1;rigid_body_collisions.rigid_body_cluster_bindings.Append_To_Binding(parent_id_1,id_2,true);}
else if(parent_id_1!=parent_id_2){parent=parent_id_1;rigid_body_collisions.rigid_body_cluster_bindings.Merge_Bindings(parent_id_1,parent_id_2,true);}
else parent=parent_id_1;
rigid_body_collisions.skip_collision_check.Resize(rigid_body_collection.rigid_body_particle.X.m);
collision_callbacks.Save_Position(parent);collision_callbacks.Euler_Step_Position(parent,dt,time);
if(has_kinematic_body){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent);
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){
int child=cluster.children(i);RIGID_BODY<TV>& child_body=rigid_body_collection.Rigid_Body(child);
if(cluster.kinematic_child(i)){
collision_callbacks.Euler_Step_Position(child,dt,time);
cluster.child_to_parent(i)=rigid_body_collection.Rigid_Body(parent).Frame().Inverse()*child_body.Frame();}}}
rigid_body_cluster_bindings.clamp_kinematic_positions=true;
rigid_body_cluster_bindings.Clamp_Particles_To_Embedded_Positions();
}
//#####################################################################
// Function Update_Analytic_Multibody_Contact
//#####################################################################
template<class TV> bool
Update_Analytic_Multibody_Contact(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,
HASHTABLE<VECTOR<std::string,2>,typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry,
const int id_1,const int id_2,MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>& multibody,IMPLICIT_OBJECT<TV>& levelset,const bool correct_contact_energy,const int max_iterations,
const typename TV::SCALAR epsilon_scale,const typename TV::SCALAR dt,const typename TV::SCALAR time,const bool mpi_one_ghost)
{
bool return_val=false;
IMPLICIT_OBJECT<TV>* levelset_base=&levelset;
if(IMPLICIT_OBJECT_TRANSFORMED<TV,FRAME<TV> >* levelset_transformed=dynamic_cast<IMPLICIT_OBJECT_TRANSFORMED<TV,FRAME<TV> >*>(levelset_base))
levelset_base=levelset_transformed->object_space_implicit_object;
for(int i=1;i<=multibody.levelsets->m;i++){
VECTOR<std::string,2> key(typeid(*dynamic_cast<IMPLICIT_OBJECT_TRANSFORMED<TV,FRAME<TV> >&>(*(*multibody.levelsets)(i)).object_space_implicit_object).name(),typeid(*levelset_base).name());
if(typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T* contact_function=analytic_contact_registry.Get_Pointer(key.Sorted()))
return_val|=(*contact_function)(rigid_body_collisions,collision_callbacks,id_1,id_2,(*multibody.levelsets)(i),&levelset,correct_contact_energy,max_iterations,epsilon_scale,dt,time,mpi_one_ghost);
else PHYSBAM_FATAL_ERROR();}
return return_val;
}
//#####################################################################
// Function Update_Analytic_Multibody_Contact
//#####################################################################
template<class TV> bool
Update_Analytic_Multibody_Contact(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,
HASHTABLE<VECTOR<std::string,2>,typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry,
RIGID_BODY<TV>& body1,RIGID_BODY<TV>& body2,const bool correct_contact_energy,const int max_iterations,
const typename TV::SCALAR epsilon_scale,const typename TV::SCALAR dt,const typename TV::SCALAR time,const bool mpi_one_ghost)
{
bool return_val=false;
MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>* multibody1=dynamic_cast<MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>*>(body1.implicit_object->object_space_implicit_object);
MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>* multibody2=dynamic_cast<MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>*>(body2.implicit_object->object_space_implicit_object);
if(multibody1 && multibody2) for(int i=1;i<=multibody2->levelsets->m;i++)
return_val|=Update_Analytic_Multibody_Contact(rigid_body_collisions,collision_callbacks,analytic_contact_registry,body1.particle_index,body2.particle_index,*multibody1,*(*multibody2->levelsets)(i),correct_contact_energy,max_iterations,epsilon_scale,dt,time,mpi_one_ghost);
else if(multibody1)
return_val=Update_Analytic_Multibody_Contact(rigid_body_collisions,collision_callbacks,analytic_contact_registry,body1.particle_index,body2.particle_index,*multibody1,*body2.implicit_object->object_space_implicit_object,correct_contact_energy,max_iterations,epsilon_scale,dt,time,mpi_one_ghost);
else
return_val=Update_Analytic_Multibody_Contact(rigid_body_collisions,collision_callbacks,analytic_contact_registry,body1.particle_index,body2.particle_index,*multibody2,*body1.implicit_object->object_space_implicit_object,correct_contact_energy,max_iterations,epsilon_scale,dt,time,mpi_one_ghost);
return return_val;
}
//#####################################################################
// Function Update_Contact_Pair
//#####################################################################
template<class TV>
bool Update_Contact_Pair(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,HASHTABLE<VECTOR<std::string,2>,
typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry,const int id_1,const int id_2,const bool correct_contact_energy,const int max_iterations,
const typename TV::SCALAR epsilon_scale,const typename TV::SCALAR dt,const typename TV::SCALAR time,const bool mpi_one_ghost)
{
RIGID_BODY_COLLECTION<TV>& rigid_body_collection=rigid_body_collisions.rigid_body_collection;
RIGID_BODY_COLLISION_PARAMETERS<TV>& parameters=rigid_body_collisions.parameters;
RIGID_BODY<TV>& body1=rigid_body_collection.Rigid_Body(id_1),&body2=rigid_body_collection.Rigid_Body(id_2);
VECTOR<std::string,2> key(typeid(*body1.implicit_object->object_space_implicit_object).name(),typeid(*body2.implicit_object->object_space_implicit_object).name());
if(key.x==typeid(MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>).name()||key.y==typeid(MULTIBODY_LEVELSET_IMPLICIT_OBJECT<TV>).name()){
if(!body1.simplicial_object && !body2.simplicial_object)
return Update_Analytic_Multibody_Contact(rigid_body_collisions,collision_callbacks,analytic_contact_registry,body1,body2,correct_contact_energy,max_iterations,epsilon_scale,dt,time,mpi_one_ghost);}
if(typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T* contact_function=analytic_contact_registry.Get_Pointer(key.Sorted()))
return (*contact_function)(rigid_body_collisions,collision_callbacks,id_1,id_2,body1.implicit_object->object_space_implicit_object,body2.implicit_object->object_space_implicit_object,correct_contact_energy,max_iterations,epsilon_scale,dt,time,mpi_one_ghost);
if(parameters.use_ccd) return CONTACT_PAIRS::Update_Surface_Contact_Pair(rigid_body_collisions,collision_callbacks,id_1,id_2,correct_contact_energy,max_iterations,epsilon_scale,dt,time,
parameters.rigid_collisions_use_triangle_hierarchy,parameters.rigid_collisions_use_edge_intersection,parameters.rigid_collisions_use_triangle_hierarchy_center_phi_test,mpi_one_ghost);
return CONTACT_PAIRS::Update_Levelset_Contact_Pair(rigid_body_collisions,collision_callbacks,id_1,id_2,correct_contact_energy,max_iterations,epsilon_scale,dt,time,
parameters.rigid_collisions_use_triangle_hierarchy,parameters.rigid_collisions_use_edge_intersection,parameters.rigid_collisions_use_triangle_hierarchy_center_phi_test,mpi_one_ghost);
}
//#####################################################################
// Function Update_Contact_Pair_Helper
//#####################################################################
template<class TV>
void Update_Contact_Pair_Helper(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,const int id_1,const int id_2,
const typename TV::SCALAR dt,const typename TV::SCALAR time,const typename TV::SCALAR epsilon_scale,const TV& collision_location,const TV& collision_normal,
const TV& collision_relative_velocity,const bool correct_contact_energy,const bool rolling_friction,const bool mpi_one_ghost)
{
RIGID_BODY_COLLECTION<TV>& rigid_body_collection=rigid_body_collisions.rigid_body_collection;
RIGID_BODY_CLUSTER_BINDINGS<TV>& rigid_body_cluster_bindings=rigid_body_collisions.rigid_body_cluster_bindings;
RIGID_BODY<TV>& body1=rigid_body_collection.Rigid_Body(id_1);
RIGID_BODY<TV>& body2=rigid_body_collection.Rigid_Body(id_2);
int parent_id_1=rigid_body_cluster_bindings.Get_Parent(body1).particle_index;
int parent_id_2=rigid_body_cluster_bindings.Get_Parent(body2).particle_index;
RIGID_BODY<TV>& parent_body_1=rigid_body_collection.Rigid_Body(parent_id_1);
RIGID_BODY<TV>& parent_body_2=rigid_body_collection.Rigid_Body(parent_id_2);
rigid_body_collisions.rigid_body_particle_intersections.Set(Tuple(body1.particle_index,body2.particle_index,collision_location));
TWIST<TV> saved_v1=rigid_body_collection.Rigid_Body(parent_id_1).Twist(),saved_v2=rigid_body_collection.Rigid_Body(parent_id_2).Twist();
RIGID_BODY<TV>::Apply_Collision_Impulse(parent_body_1,parent_body_2,body1.Rotation(),body2.Rotation(),collision_location,collision_normal,collision_relative_velocity,
-1+epsilon_scale,RIGID_BODY<TV>::Coefficient_Of_Friction(parent_body_1,parent_body_2),false,rolling_friction,correct_contact_energy,mpi_one_ghost);
collision_callbacks.Restore_Position(parent_id_1);collision_callbacks.Restore_Position(parent_id_2); // fix saved values & re-evolve bodies
Euler_Step_Position(rigid_body_collisions,collision_callbacks,parent_id_1,dt,time);Euler_Step_Position(rigid_body_collisions,collision_callbacks,parent_id_2,dt,time);
if(parent_id_2!=id_2 || parent_id_1!=id_1){
rigid_body_cluster_bindings.Clamp_Particles_To_Embedded_Positions();
rigid_body_cluster_bindings.Clamp_Particles_To_Embedded_Velocities();}
if(parent_id_1!=id_1){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent_id_1);
rigid_body_collection.Rigid_Body(parent_id_1).V()-=saved_v1.linear;
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(cluster.kinematic_child(i)){
rigid_body_collection.rigid_body_particle.angular_velocity(child)+=rigid_body_collection.Rigid_Body(parent_id_1).Angular_Velocity()-saved_v1.angular;
rigid_body_collection.rigid_body_particle.V(child)+=rigid_body_collection.Rigid_Body(parent_id_1).Pointwise_Object_Velocity(rigid_body_collection.rigid_body_particle.X(child));}}
rigid_body_collection.Rigid_Body(parent_id_1).V()+=saved_v1.linear;}
if(parent_id_2!=id_2){
typename RIGID_BODY_CLUSTER_BINDINGS<TV>::CLUSTER& cluster=*rigid_body_cluster_bindings.reverse_bindings.Get(parent_id_2);
rigid_body_collection.Rigid_Body(parent_id_2).V()-=saved_v2.linear;
for(RIGID_CLUSTER_CONSTITUENT_ID i(1);i<=cluster.children.Size();i++){int child=cluster.children(i);
if(cluster.kinematic_child(i)){
rigid_body_collection.rigid_body_particle.angular_velocity(child)+=rigid_body_collection.Rigid_Body(parent_id_2).Angular_Velocity()-saved_v2.angular;
rigid_body_collection.rigid_body_particle.V(child)+=rigid_body_collection.Rigid_Body(parent_id_2).Pointwise_Object_Velocity(rigid_body_collection.rigid_body_particle.X(child));}}
rigid_body_collection.Rigid_Body(parent_id_2).V()+=saved_v2.linear;}
}
//#####################################################################
// Function Euler_Step_Position
//#####################################################################
template<class TV>
void Euler_Step_Position(RIGID_BODY_COLLISIONS<TV>& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,const int id,const typename TV::SCALAR dt,const typename TV::SCALAR time)
{
collision_callbacks.Euler_Step_Position(id,dt,time);
rigid_body_collisions.rigid_body_collection.Rigid_Body(id).Update_Bounding_Box();rigid_body_collisions.skip_collision_check.Set_Last_Moved(id);
}
//#####################################################################
// Function Register_Analytic_Collisions
//#####################################################################
template<class TV>
void Register_Analytic_Contacts(HASHTABLE<VECTOR<std::string,2>,typename ANALYTICS<TV>::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry)
{
const char* sphere=typeid(ANALYTIC_IMPLICIT_OBJECT<SPHERE<TV> >).name();
const char* plane=typeid(ANALYTIC_IMPLICIT_OBJECT<BOUNDED_HORIZONTAL_PLANE<TV> >).name();
const char* box=typeid(ANALYTIC_IMPLICIT_OBJECT<BOX<TV> >).name();
analytic_contact_registry.Set(VECTOR<std::string,2>(sphere,sphere),CONTACT_PAIRS::Update_Sphere_Sphere_Contact_Pair<TV>);
analytic_contact_registry.Set(VECTOR<std::string,2>(box,box),CONTACT_PAIRS::Update_Box_Box_Contact_Pair<TV>);
analytic_contact_registry.Set(VECTOR<std::string,2>(sphere,plane).Sorted(),CONTACT_PAIRS::Update_Sphere_Plane_Contact_Pair<TV>);
analytic_contact_registry.Set(VECTOR<std::string,2>(box,plane).Sorted(),CONTACT_PAIRS::Update_Box_Plane_Contact_Pair<TV>);
}
//#####################################################################
// Function Solve_Projected_Gauss_Seidel
//#####################################################################
template<class TV>
bool Solve_Projected_Gauss_Seidel(RIGID_BODY_COLLECTION<TV>& rigid_body_collection,RIGID_TRIANGLE_COLLISIONS<TV>* triangle_collisions,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,ARRAY<VECTOR<int,2> >& pairs,HASHTABLE<VECTOR<int,2> >& pairs_processed_by_contact,typename TV::SCALAR desired_separation_distance,typename TV::SCALAR contact_proximity,typename TV::SCALAR dt,typename TV::SCALAR tolerance,int iteration_maximum,const bool thin_shells)
{
typedef typename TV::SCALAR T;
int n_bodies=rigid_body_collection.rigid_body_particle.array_collection->Size();
ARRAY<CONTACT<TV> > contacts;
if(thin_shells) DISCRETE_CONTACT::Compute_Contacts(rigid_body_collection,triangle_collisions,contacts,(T)2e-2,(T)1e-2,dt);
else Get_Contact_Points(rigid_body_collection,collision_callbacks,pairs,contacts,contact_proximity,dt,false,false);
ARRAY<TWIST<TV> > velocities(n_bodies);
ARRAY<bool> has_infinite_inertia(n_bodies);
for(int i=1;i<=n_bodies;i++) if(rigid_body_collection.Is_Active(i)){
velocities(i)=rigid_body_collection.Rigid_Body(i).Twist();
has_infinite_inertia(i)=rigid_body_collection.Rigid_Body(i).Has_Infinite_Inertia();}
int n_contacts=contacts.m;
ARRAY<T> lambda_normal(n_contacts);
ARRAY<VECTOR<T,TV::dimension-1> > lambda_tangent(n_contacts);
PROJECTED_GAUSS_SEIDEL::Solve(velocities,has_infinite_inertia,contacts,lambda_normal,lambda_tangent,tolerance,iteration_maximum,true);
for(int i=1;i<=n_bodies;i++) if(rigid_body_collection.Is_Active(i) && !has_infinite_inertia(i)){
RIGID_BODY<TV>& body=rigid_body_collection.Rigid_Body(i);
body.V()=velocities(i).linear;
body.Angular_Velocity()=velocities(i).angular;
body.Update_Angular_Momentum();}
return true;
}
//#####################################################################
// Function Get_Contact_Points
//#####################################################################
template<class TV>
void Get_Contact_Points(RIGID_BODY_COLLECTION<TV>& rigid_body_collection,RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,ARRAY<VECTOR<int,2> >& pairs,ARRAY<CONTACT<TV> >& contacts,typename TV::SCALAR contact_proximity,typename TV::SCALAR dt,const bool stagger_points,const bool use_old_states)
{
if(use_old_states){
LOG::SCOPE scope_tn("restoring tn states");
for(int i=1;i<=rigid_body_collection.simulated_rigid_body_particles.m;i++)
collision_callbacks.Swap_State(rigid_body_collection.simulated_rigid_body_particles(i));
scope_tn.Pop();}
LOG::SCOPE scope_contacts("creating contacts");
for(int i=1;i<=pairs.m;i++){
int id_1=pairs(i)(1),id_2=pairs(i)(2);
ARRAY<TV> locations,normals;
ARRAY<typename TV::SCALAR> distances;
RIGID_BODY<TV>& body_1=rigid_body_collection.Rigid_Body(id_1);
RIGID_BODY<TV>& body_2=rigid_body_collection.Rigid_Body(id_2);
PARTICLES_IN_PROXIMITY::All_Particles_In_Proximity(body_1,body_2,locations,normals,distances,contact_proximity,stagger_points);
for(int j=1;j<=locations.m;j++) contacts.Append(CONTACT<TV>(body_1,body_2,locations(j),normals(j),distances(j),dt));}
scope_contacts.Pop();
if(use_old_states){
LOG::SCOPE scope_tn1("restoring tn+1 states");
for(int i=1;i<=rigid_body_collection.simulated_rigid_body_particles.m;i++)
collision_callbacks.Swap_State(rigid_body_collection.simulated_rigid_body_particles(i));
scope_tn1.Pop();}
}
//#####################################################################
// Function Push_Out
//#####################################################################
template<class TV>
void Push_Out(RIGIDS_COLLISION_CALLBACKS<TV>& collision_callbacks,RIGID_BODY_COLLECTION<TV>& rigid_body_collection,RIGID_BODY_COLLISION_PARAMETERS<TV>& parameters,HASHTABLE<VECTOR<int,2> >& pairs_processed_by_contact)
{
LOG::SCOPE scope("Projected Gauss Seidel Push_Out");
typedef typename TV::SCALAR T;
typedef typename TV::SPIN T_SPIN;
typedef typename RIGID_BODY_POLICY<TV>::WORLD_SPACE_INERTIA_TENSOR T_WORLD_SPACE_INERTIA_TENSOR;
ARRAY<VECTOR<int,2> > pairs;
pairs_processed_by_contact.Get_Keys(pairs);
ARRAY<CONTACT<TV> > contacts;
Get_Contact_Points(rigid_body_collection,collision_callbacks,pairs,contacts,0,1,false,false);
for(int i=1;i<contacts.m;i++)
contacts(i).coefficient_of_friction=0;
//store linear velocity/update rotational momentum
//set velocity to 0
ARRAY<TV> linear_velocities(rigid_body_collection.simulated_rigid_body_particles.m);
for(int i=1;i<=rigid_body_collection.simulated_rigid_body_particles.m;i++)
{
RIGID_BODY<TV>& body=rigid_body_collection.Rigid_Body(rigid_body_collection.simulated_rigid_body_particles(i));
linear_velocities(i)=body.V();
body.Update_Angular_Momentum();
body.V()=TV();
body.Angular_Velocity()=T_SPIN();
}
T tolerance=(T)1e-3;
int iteration_maximum=0;
PROJECTED_GAUSS_SEIDEL::Solve(rigid_body_collection,contacts,tolerance,iteration_maximum);
for(int i=1;i<=rigid_body_collection.simulated_rigid_body_particles.m;i++)
if(!rigid_body_collection.rigid_body_particle.kinematic(rigid_body_collection.simulated_rigid_body_particles(i)))
collision_callbacks.Euler_Step_Position(i,1,0); //should pass the actual time.
//restore linear velocity/update rotational velocity
for(int i=1;i<=rigid_body_collection.simulated_rigid_body_particles.m;i++)
{
RIGID_BODY<TV>& body=rigid_body_collection.Rigid_Body(rigid_body_collection.simulated_rigid_body_particles(i));
body.V()=linear_velocities(i);
body.Update_Angular_Velocity();
}
}
//#####################################################################
#define INSTANTIATION_HELPER(T,d) \
template void Solve<VECTOR<T,d> >(RIGID_BODY_COLLISIONS<VECTOR<T,d> >& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
RIGID_BODY_COLLECTION<VECTOR<T,d> >& rigid_body_collection,RIGID_BODY_COLLISION_PARAMETERS<VECTOR<T,d> >& parameters,const bool correct_contact_energy,const bool use_saved_pairs, \
const T dt,const T time,MPI_RIGIDS<VECTOR<T,d> >* mpi_rigids,ARRAY<TWIST<VECTOR<T,d> > >& mpi_rigid_velocity_save,ARRAY<VECTOR<T,d>::SPIN>& mpi_rigid_angular_momentum_save); \
template bool Update_Analytic_Multibody_Contact<VECTOR<T,d> >(RIGID_BODY_COLLISIONS<VECTOR<T,d> >& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
HASHTABLE<VECTOR<std::string,2>,ANALYTICS<VECTOR<T,d> >::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry, \
const int id_1,const int id_2,MULTIBODY_LEVELSET_IMPLICIT_OBJECT<VECTOR<T,d> >& multibody,IMPLICIT_OBJECT<VECTOR<T,d> >& levelset,const bool correct_contact_energy, \
const int max_iterations,const T epsilon_scale,const T dt,const T time,const bool mpi_one_ghost); \
template bool Update_Analytic_Multibody_Contact<VECTOR<T,d> >(RIGID_BODY_COLLISIONS<VECTOR<T,d> >& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
HASHTABLE<VECTOR<std::string,2>,ANALYTICS<VECTOR<T,d> >::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry, \
RIGID_BODY<VECTOR<T,d> >& body1,RIGID_BODY<VECTOR<T,d> >& body2,const bool correct_contact_energy,const int max_iterations, \
const T epsilon_scale,const T dt,const T time,const bool mpi_one_ghost); \
template bool Update_Contact_Pair<VECTOR<T,d> >(RIGID_BODY_COLLISIONS<VECTOR<T,d> >& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
HASHTABLE<VECTOR<std::string,2>,ANALYTICS<VECTOR<T,d> >::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry,const int id_1,const int id_2,const bool correct_contact_energy, \
const int max_iterations,const T epsilon_scale,const T dt,const T time,const bool mpi_one_ghost); \
template void Update_Contact_Pair_Helper<VECTOR<T,d> >(RIGID_BODY_COLLISIONS<VECTOR<T,d> >& rigid_body_collection,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
const int id_1,const int id_2,const T dt,const T time,const T epsilon_scale,const VECTOR<T,d> & collision_location,const VECTOR<T,d> & collision_normal, \
const VECTOR<T,d> & collision_relative_velocity,const bool correct_contact_energy,const bool rolling_friction,const bool mpi_one_ghost); \
template void Euler_Step_Position<VECTOR<T,d> >(RIGID_BODY_COLLISIONS<VECTOR<T,d> >& rigid_body_collisions,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
const int id,const T dt,const T time); \
template void Register_Analytic_Contacts<VECTOR<T,d> >(HASHTABLE<VECTOR<std::string,2>,ANALYTICS<VECTOR<T,d> >::UPDATE_ANALYTIC_CONTACT_PAIR_T>& analytic_contact_registry); \
template void Push_Out(RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks,RIGID_BODY_COLLECTION<VECTOR<T,d> >& rigid_body_collection,RIGID_BODY_COLLISION_PARAMETERS<VECTOR<T,d> >& parameters,HASHTABLE<VECTOR<int,2> >& pairs_processed_by_contact); \
template bool Solve_Projected_Gauss_Seidel<VECTOR<T,d> >(RIGID_BODY_COLLECTION<VECTOR<T,d> >& rigid_body_collection,RIGID_TRIANGLE_COLLISIONS<VECTOR<T,d> >* triangle_collisions,RIGIDS_COLLISION_CALLBACKS<VECTOR<T,d> >& collision_callbacks, \
ARRAY<VECTOR<int,2> >& pairs,HASHTABLE<VECTOR<int,2> >& pairs_processed_by_contact,T desired_separation_distance,T contact_proximity,T dt,T tolerance,int iteration_maximum,const bool thin_shells);
INSTANTIATION_HELPER(float,1)
INSTANTIATION_HELPER(float,2)
INSTANTIATION_HELPER(float,3)
#ifndef COMPILE_WITHOUT_DOUBLE_SUPPORT
INSTANTIATION_HELPER(double,1)
INSTANTIATION_HELPER(double,2)
INSTANTIATION_HELPER(double,3)
#endif
}
}
|
import React, {useState, useEffect} from 'react';
import {FlatList} from 'react-native';
import Container from '~/components/Container';
import {OptionContainer, OptionTitle, OptionText} from './styles';
import {useDispatch, useSelector} from 'react-redux';
import NotificationSwitch from '~/components/NotificationSwitch';
import Message from '~/components/Message';
import {Actions} from '~/store/ducks/auth';
const Settings = () => {
const [showMessage, setShowMessage] = useState(false);
const dispatch = useDispatch();
const loading = useSelector((state) => state.auth.loading);
const user = useSelector((state) => state.auth);
const onLogout = () => {
dispatch(Actions.logout());
setShowMessage(false);
};
const menu = [
{
label: 'Background fetch',
onPress: () => {},
right: <NotificationSwitch />,
},
{
label: 'Logout',
onPress: () => {
setShowMessage(true);
},
},
];
return (
<Container>
<FlatList
style={{paddingHorizontal: 15}}
ListHeaderComponent={() => (
<OptionTitle weight={'medium'}>Configurações</OptionTitle>
)}
data={menu}
keyExtractor={(item) => item.label}
renderItem={({item}) => (
<OptionContainer onPress={item.onPress}>
<OptionText>{item.label}</OptionText>
{item.right}
</OptionContainer>
)}
/>
<Message
show={showMessage}
message={'Deseja realmente sair da aplicação?'}
onCancelPress={() => setShowMessage(false)}
cancelTitle={'Cancelar'}
onConfirmPress={onLogout}
confirmTitle={'Confirmar'}
/>
</Container>
);
};
export default Settings;
|
#!/bin/bash
#SBATCH -J Act_relu_1
#SBATCH --mail-user=eger@ukp.informatik.tu-darmstadt.de
#SBATCH --mail-type=FAIL
#SBATCH -e /work/scratch/se55gyhe/log/output.err.%j
#SBATCH -o /work/scratch/se55gyhe/log/output.out.%j
#SBATCH -n 1 # Number of cores
#SBATCH --mem-per-cpu=6000
#SBATCH -t 23:59:00 # Hours, minutes and seconds, or '#SBATCH -t 10' -only mins
#module load intel python/3.5
python3 /home/se55gyhe/Act_func/sequence_tagging/arg_min/PE-my.py relu 346 Nadam 3 0.5000234928706907 0.0019353963823578503 runiform 0.3
|
#!/bin/bash
set -ev
DIR="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
#
# Skip Install if Python 2.7 or PyPy and not a PR
#
if [ "${TRAVIS_PULL_REQUEST}" == "false" ] && [ "${TRAVIS_BRANCH}" != "master" ]; then
echo "Regular Push (not PR) on non-master branch:"
if [ "${TRAVIS_PYTHON_VERSION}" == "2.7" ]; then
echo "Skipping Python 2.7"
exit 0
fi
if [ "${TRAVIS_PYTHON_VERSION}" == "pypy" ]; then
echo "Skipping Python PyPy"
exit 0
fi
if [ "${PYSMT_SOLVER}" == "all" ]; then
echo "Skipping 'all' configuration"
exit 0
fi
if [ "${TRAVIS_OS_NAME}" == "osx" ]; then
echo "Skipping MacOSX build"
exit 0
fi
fi
if [ "${TRAVIS_OS_NAME}" == "osx" ]; then
eval "$(pyenv init -)"
pyenv activate venv
fi
echo "Check that the correct version of Python is running"
python ${DIR}/check_python_version.py "${TRAVIS_PYTHON_VERSION}"
PYSMT_SOLVER_FOLDER="${PYSMT_SOLVER}_${TRAVIS_OS_NAME}"
PYSMT_SOLVER_FOLDER="${PYSMT_SOLVER_FOLDER//,/$'_'}"
export BINDINGS_FOLDER=${HOME}/python_bindings/${PYSMT_SOLVER_FOLDER}
eval `python install.py --env --bindings-path ${BINDINGS_FOLDER}`
echo ${PYTHONPATH}
python install.py --check
#
# Run the test suite
# * Coverage is enabled only on master / all
if [ "${TRAVIS_BRANCH}" == "master" ] && [ "${PYSMT_SOLVER}" == "all" ];
then
python -m nose pysmt -v # --with-coverage --cover-package=pysmt
else
python -m nose pysmt -v
fi
#
# Test examples in examples/ folder
#
if [ "${PYSMT_SOLVER}" == "all" ];
then
python install.py --msat --conf --force;
cp -v $(find ~/.smt_solvers/ -name mathsat -type f) /tmp/mathsat;
(for ex in `ls examples/*.py`; do echo $ex; python $ex || exit $?; done);
fi
|
<reponame>weltam/idylfin
/**
* Copyright (C) 2009 - present by OpenGamma Inc. and the OpenGamma group of companies
*
* Please see distribution for license.
*/
package com.opengamma.analytics.math.statistics.descriptive;
import org.apache.commons.lang.Validate;
import com.opengamma.analytics.math.function.Function1D;
/**
* The sample skewness gives a measure of the asymmetry of the probability
* distribution of a variable. For a series of data $x_1, x_2, \dots, x_n$, an
* unbiased estimator of the sample skewness is
* $$
* \begin{align*}
* \mu_3 = \frac{\sqrt{n(n-1)}}{n-2}\frac{\frac{1}{n}\sum_{i=1}^n (x_i - \overline{x})^3}{\left(\frac{1}{n}\sum_{i=1}^n (x_i - \overline{x})^2\right)^\frac{3}{2}}
* \end{align*}
* $$
* where $\overline{x}$ is the sample mean.
*/
public class SampleSkewnessCalculator extends Function1D<double[], Double> {
private static final Function1D<double[], Double> MEAN = new MeanCalculator();
/**
* @param x The array of data, not null, must contain at least three data points
* @return The sample skewness
*/
@Override
public Double evaluate(final double[] x) {
Validate.notNull(x, "x");
Validate.isTrue(x.length >= 3, "Need at least three points to calculate sample skewness");
double sum = 0;
double variance = 0;
final double mean = MEAN.evaluate(x);
for (final Double d : x) {
final double diff = d - mean;
variance += diff * diff;
sum += diff * diff * diff;
}
final int n = x.length;
variance /= n - 1;
return Math.sqrt(n - 1.) * sum / (Math.pow(variance, 1.5) * Math.sqrt(n) * (n - 2));
}
}
|
package libs.trustconnector.scdp.smartcard.checkrule;
import libs.trustconnector.scdp.smartcard.*;
import java.util.*;
import libs.trustconnector.scdp.smartcard.APDU;
public abstract class ResponseCheckRule implements CheckRule
{
protected String name;
protected String ruleDesc;
protected String retValue;
protected String expValue;
protected String dataMask;
protected int byteOff;
protected boolean checkRes;
protected Map<String, String> valueInfoMap;
protected boolean matchSet;
protected List<CheckRuleCondition> checkConditionList;
protected List<Boolean> checkConditionListType;
public ResponseCheckRule(final String name, final int byteOff) {
this.checkConditionList = new ArrayList<CheckRuleCondition>();
this.checkConditionListType = new ArrayList<Boolean>();
this.name = name;
this.byteOff = byteOff;
}
public ResponseCheckRule(final String name, final int byteOff, final Map<String, String> valueInfoMap) {
this.checkConditionList = new ArrayList<CheckRuleCondition>();
this.checkConditionListType = new ArrayList<Boolean>();
this.name = name;
this.byteOff = byteOff;
this.valueInfoMap = valueInfoMap;
}
@Override
public boolean check(final APDU apdu) {
final byte[] rdata = apdu.getRData();
this.checkRes = false;
if (rdata != null && rdata.length >= this.byteOff) {
this.checkRes = this.checkRdata(rdata);
this.ruleDesc = this.name + "=" + this.retValue;
String valueDesc = null;
if (this.valueInfoMap != null) {
valueDesc = this.valueInfoMap.get(this.retValue);
}
if (valueDesc != null) {
this.ruleDesc = this.ruleDesc + "[" + valueDesc + "]";
}
if (this.matchSet && !this.checkRes) {
this.ruleDesc = this.ruleDesc + ",check fail,Expect=" + this.expValue;
if (this.dataMask != null) {
this.ruleDesc = this.ruleDesc + ",Mask=" + this.dataMask;
}
this.ruleDesc = this.ruleDesc + ",Offset=" + String.format("%04X", this.byteOff);
}
return this.checkRes;
}
if (this.matchSet) {
this.ruleDesc = this.name + " not found!check failed";
return this.checkRes;
}
return true;
}
public abstract boolean checkRdata(final byte[] p0);
@Override
public boolean checkCondition(final APDU apdu) {
final Iterator<CheckRuleCondition> ite = this.checkConditionList.iterator();
final Iterator<Boolean> iteType = this.checkConditionListType.iterator();
while (ite.hasNext()) {
final CheckRuleCondition rule = ite.next();
final Boolean b = iteType.next();
if (b != rule.checkCondition(apdu)) {
return false;
}
}
return true;
}
public void addCondition(final CheckRuleCondition condition) {
this.checkConditionList.add(condition);
this.checkConditionListType.add(new Boolean(true));
}
public void addFalseCondition(final CheckRuleCondition condition) {
this.checkConditionList.add(condition);
this.checkConditionListType.add(new Boolean(false));
}
@Override
public String getRuleDescription() {
return this.ruleDesc;
}
@Override
public boolean hasExpect() {
return this.matchSet;
}
}
|
<reponame>KorAP/Kustvakt<gh_stars>1-10
package de.ids_mannheim.korap.rewrite;
import com.fasterxml.jackson.databind.JsonNode;
import com.fasterxml.jackson.databind.node.ArrayNode;
import com.fasterxml.jackson.databind.node.ObjectNode;
import de.ids_mannheim.korap.utils.JsonUtils;
import java.util.*;
/**
* @author hanl
* @date 04/07/2015
*/
public class KoralNode {
private JsonNode node;
private KoralRewriteBuilder rewrites;
private boolean remove;
public KoralNode (JsonNode node) {
this.node = node;
this.rewrites = new KoralRewriteBuilder();
this.remove = false;
}
public KoralNode (JsonNode node, KoralRewriteBuilder rewrites) {
this.node = node;
this.rewrites = rewrites;
this.remove = false;
}
public static KoralNode wrapNode (JsonNode node) {
return new KoralNode(node);
}
public void buildRewrites (JsonNode node) {
this.rewrites.build(node);
}
public void buildRewrites () {
this.rewrites.build(this.node);
}
@Override
public String toString () {
return this.node.toString();
}
public void put (String name, Object value) {
if (this.node.isObject() && this.node.path(name).isMissingNode()) {
ObjectNode node = (ObjectNode) this.node;
if (value instanceof String)
node.put(name, (String) value);
else if (value instanceof Integer)
node.put(name, (Integer) value);
else if (value instanceof JsonNode)
node.put(name, (JsonNode) value);
this.rewrites.add("injection", name);
}
else
throw new UnsupportedOperationException(
"node doesn't support this operation");
}
public void remove (Object identifier, RewriteIdentifier ident) {
boolean set = false;
if (this.node.isObject() && identifier instanceof String) {
ObjectNode n = (ObjectNode) this.node;
n.remove((String) identifier);
set = true;
}
else if (this.node.isArray() && identifier instanceof Integer) {
ArrayNode n = (ArrayNode) this.node;
n.remove((Integer) identifier);
set = true;
}
if (ident != null)
identifier = ident.toString();
if (set) {
this.rewrites.add("deletion", identifier);
}
}
public void replace (String name, Object value, RewriteIdentifier ident) {
if (this.node.isObject() && this.node.has(name)) {
ObjectNode n = (ObjectNode) this.node;
if (value instanceof String)
n.put(name, (String) value);
else if (value instanceof Integer)
n.put(name, (Integer) value);
else if (value instanceof JsonNode)
n.put(name, (JsonNode) value);
if (ident != null)
name = ident.toString();
this.rewrites.add("override", name);
}
}
public void replaceAt (String path, Object value, RewriteIdentifier ident) {
if (this.node.isObject() && !this.node.at(path).isMissingNode()) {
ObjectNode n = (ObjectNode) this.node.at(path);
n.removeAll();
n.putAll((ObjectNode)value);
String name = path;
if (ident != null)
name = ident.toString();
this.rewrites.add("override", name);
}
}
public void set (String name, Object value, RewriteIdentifier ident) {
if (this.node.isObject()) {
ObjectNode n = (ObjectNode) this.node;
if (value instanceof String)
n.put(name, (String) value);
else if (value instanceof Integer)
n.put(name, (Integer) value);
else if (value instanceof JsonNode)
n.put(name, (JsonNode) value);
if (ident != null)
name = ident.toString();
this.rewrites.add("insertion", name);
}
}
public void setAll (ObjectNode other) {
if (this.node.isObject()) {
ObjectNode n = (ObjectNode) this.node;
n.setAll(other);
}
this.rewrites.add("insertion",null);
}
public String get (String name) {
if (this.node.isObject())
return this.node.path(name).asText();
return null;
}
public KoralNode at (String name) {
// this.node = this.node.at(name);
// return this;
return new KoralNode(this.node.at(name), this.rewrites);
}
public boolean has (Object ident) {
if (ident instanceof String)
return this.node.has((String) ident);
else if (ident instanceof Integer)
return this.node.has((int) ident);
return false;
}
public JsonNode rawNode () {
return this.node;
}
public void removeNode (RewriteIdentifier ident) {
this.rewrites.add("deletion", ident.toString());
this.remove = true;
}
public static class RewriteIdentifier {
private String key, value;
public RewriteIdentifier (String key, Object value) {
this.key = key;
this.value = value.toString();
}
@Override
public String toString () {
return key + "(" + value + ")";
}
}
public boolean isRemove () {
return this.remove;
}
public static class KoralRewriteBuilder {
private List<KoralRewrite> rewrites;
public KoralRewriteBuilder () {
this.rewrites = new ArrayList<>();
}
public KoralRewriteBuilder add (String op, Object scope) {
KoralRewrite rewrite = new KoralRewrite();
rewrite.setOperation(op);
if (scope !=null){
rewrite.setScope(scope.toString());
}
this.rewrites.add(rewrite);
return this;
}
public JsonNode build (JsonNode node) {
for (KoralRewrite rewrite : this.rewrites) {
if (rewrite.map.get("operation") == null)
throw new UnsupportedOperationException(
"operation not set properly");
if (node.has("rewrites")) {
ArrayNode n = (ArrayNode) node.path("rewrites");
n.add(JsonUtils.valueToTree(rewrite.map));
}
else if (node.isObject()) {
ObjectNode n = (ObjectNode) node;
List l = new LinkedList<>();
l.add(JsonUtils.valueToTree(rewrite.map));
n.put("rewrites", JsonUtils.valueToTree(l));
}
else {
//fixme: matches in result will land here. rewrites need to be placed under root node - though then there might be unclear where they belong to
}
}
this.rewrites.clear();
return node;
}
}
private static class KoralRewrite {
private Map<String, String> map;
private KoralRewrite () {
this.map = new LinkedHashMap<>();
this.map.put("@type", "koral:rewrite");
this.map.put("src", "Kustvakt");
}
public KoralRewrite setOperation (String op) {
if (!op.startsWith("operation:"))
op = "operation:" + op;
this.map.put("operation", op);
return this;
}
public KoralRewrite setScope (String scope) {
this.map.put("scope", scope);
return this;
}
}
public boolean isMissingNode (String string) {
return this.node.at(string).isMissingNode();
}
public int size () {
return this.node.size();
}
public KoralNode get (int i) {
// this.node = this.node.get(i);
return this.wrapNode(this.node.get(i));
}
}
|
#!/usr/bin/env bash
# Licensed to the Apache Software Foundation (ASF) under one or more
# contributor license agreements. See the NOTICE file distributed with
# this work for additional information regarding copyright ownership.
# The ASF licenses this file to You under the Apache License, Version 2.0
# (the "License"); you may not use this file except in compliance with
# the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# -----------------------------------------------------------------------------
# Configuration Test Script for the CATALINA Server
# -----------------------------------------------------------------------------
# Better OS/400 detection: see Bugzilla 31132
os400=false
case "`uname`" in
OS400*) os400=true;;
esac
# resolve links - $0 may be a softlink
PRG="$0"
while [ -h "$PRG" ] ; do
ls=`ls -ld "$PRG"`
link=`expr "$ls" : '.*-> \(.*\)$'`
if expr "$link" : '/.*' > /dev/null; then
PRG="$link"
else
PRG=`dirname "$PRG"`/"$link"
fi
done
PRGDIR=`dirname "$PRG"`
EXECUTABLE=catalina.sh
# Check that target executable exists
if $os400; then
# -x will Only work on the os400 if the files are:
# 1. owned by the user
# 2. owned by the PRIMARY group of the user
# this will not work if the user belongs in secondary groups
eval
else
if [ ! -x "$PRGDIR"/"$EXECUTABLE" ]; then
echo "Cannot find $PRGDIR/$EXECUTABLE"
echo "The file is absent or does not have execute permission"
echo "This file is needed to run this program"
exit 1
fi
fi
exec "$PRGDIR"/"$EXECUTABLE" configtest "$@"
|
#!/bin/bash
set -e
# Go to the project root directory
cd $(dirname ${0})/../..
PACKAGES=(cdk mosaic)
REPOSITORIES=(cdk-builds mosaic-builds)
# Command line arguments.
COMMAND_ARGS=${*}
# Function to publish artifacts of a package to Github.
# @param ${1} Name of the package
# @param ${2} Repository name of the package.
publishPackage() {
packageName=${1}
packageRepo=${2}
buildDir="$(pwd)/dist/releases/${packageName}"
buildVersion=$(node -pe "require('./package.json').version")
branchName=$(git branch | sed -n '/\* /s///p' | awk -F'/' '{print $2}')
if [[ -z ${branchName} ]]; then
branchName='master'
fi
commitSha=$(git rev-parse --short HEAD)
commitAuthorName=$(git --no-pager show -s --format='%an' HEAD)
commitAuthorEmail=$(git --no-pager show -s --format='%ae' HEAD)
commitMessage=$(git log --oneline -n 1)
buildVersionName="${buildVersion}-${commitSha}"
buildTagName="${branchName}-${commitSha}"
buildCommitMessage="${branchName} - ${commitMessage}"
repoUrl="https://github.com/positive-js/${packageRepo}.git"
repoDir="tmp/${packageRepo}"
echo "Starting publish process of ${packageName} for ${buildVersionName} into ${branchName}.."
# Prepare cloning the builds repository
rm -rf ${repoDir}
mkdir -p ${repoDir}
echo "Starting cloning process of ${repoUrl} into ${repoDir}.."
if [[ $(git ls-remote --heads ${repoUrl} ${branchName}) ]]; then
echo "Branch ${branchName} already exists. Cloning that branch."
git clone ${repoUrl} ${repoDir} --depth 1 --branch ${branchName}
cd ${repoDir}
echo "Cloned repository and switched into the repository directory (${repoDir})."
else
echo "Branch ${branchName} does not exist on ${packageRepo} yet."
echo "Cloning default branch and creating branch '${branchName}' on top of it."
git clone ${repoUrl} ${repoDir} --depth 1
cd ${repoDir}
echo "Cloned repository and switched into directory. Creating new branch now.."
git checkout -b ${branchName}
fi
# Copy the build files to the repository
rm -rf ./*
cp -r ${buildDir}/* ./
echo "Removed everything from ${packageRepo}#${branchName} and added the new build output."
if [[ $(git ls-remote origin "refs/tags/${buildTagName}") ]]; then
echo "Skipping publish because tag is already published"
exit 0
fi
# Replace the version in every file recursively with a more specific version that also includes
# the SHA of the current build job. Normally this "sed" call would just replace the version
# placeholder, but the version placeholders have been replaced by the release task already.
sed -i "s/${buildVersion}/${buildVersionName}/g" $(find . -type f -not -path '*\/.*' ! -iname '*.css' ! -iname '*.js')
echo "Updated the build version in every file to include the SHA of the latest commit."
# Prepare Git for pushing the artifacts to the repository.
git config user.name "${commitAuthorName}"
git config user.email "${commitAuthorEmail}"
echo "Git configuration has been updated to match the last commit author. Publishing now.."
git add -A
git commit --allow-empty -m "${buildCommitMessage}"
git tag "${buildTagName}"
git push origin ${branchName} --tags
echo "Published package artifacts for ${packageName}#${buildVersionName} into ${branchName}"
}
for ((i = 0; i < ${#PACKAGES[@]}; i++)); do
packageName=${PACKAGES[${i}]}
packageRepo=${REPOSITORIES[${i}]}
# Publish artifacts of the current package. Run publishing in a sub-shell to avoid working
# directory changes.
(publishPackage ${packageName} ${packageRepo})
done
|
#!/usr/bin/env bash
#echo on
set -x
server_ip=$(ip route get 1 | awk '{print $NF;exit}')
if [ -e /var/log/waagent.log ]
then
hardware=Cloud
else
hardware=Physical
fi
if [[ -v DBHOST ]]
then
database="--database PostgreSql"
sql="--sql \"Server=$DBHOST;Database=hello_world;User Id=benchmarkdbuser;Password=benchmarkdbpass;Maximum Pool Size=1024;NoResetOnClose=true\""
fi
docker run \
-d \
--log-opt max-size=10m \
--log-opt max-file=3 \
--mount type=bind,source=/mnt,target=/tmp \
--name benchmarks-server \
--network host \
--restart always \
benchmarks \
bash -c \
"/root/.dotnet/dotnet \
/benchmarks/src/BenchmarksServer/bin/Debug/netcoreapp2.0/BenchmarksServer.dll \
-n $server_ip \
--hardware $hardware \
$database \
$sql"
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.