blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
4
410
content_id
stringlengths
40
40
detected_licenses
listlengths
0
51
license_type
stringclasses
2 values
repo_name
stringlengths
5
132
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringlengths
4
80
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
5.85k
689M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
22 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
131 values
src_encoding
stringclasses
34 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
3
9.45M
extension
stringclasses
32 values
content
stringlengths
3
9.45M
authors
listlengths
1
1
author_id
stringlengths
0
313
ddc1bd612838bf664e67a5079007a6a97b5311d1
f7341025b8f356fae561a910f1cbebb1beb68ad7
/src/main/java/com/scorsaro/bbas/service/impl/TimeBasedOperationsServices.java
fb2e96c256cf9df44d2bcec0f4738a1b0d9b1e6a
[]
no_license
salvatorecorsaro/ironhack_BBAS
681684241ebbb8185ebd2400e6f6c0ea8c6d1eec
f6caad00a4909cff5b7735bf0ab49cabae95c152
refs/heads/master
2023-03-03T22:22:53.726048
2021-02-14T23:47:43
2021-02-14T23:47:43
337,533,110
0
0
null
null
null
null
UTF-8
Java
false
false
5,305
java
package com.scorsaro.bbas.service.impl; import com.scorsaro.bbas.dto.others.BalanceDTO; import com.scorsaro.bbas.enums.TransactionType; import com.scorsaro.bbas.model.accounts.Checking; import com.scorsaro.bbas.model.accounts.CreditCard; import com.scorsaro.bbas.model.accounts.Saving; import com.scorsaro.bbas.model.others.Money; import com.scorsaro.bbas.repository.accounts.TransactionRepository; import com.scorsaro.bbas.service.interfaces.ITimeBaseOperationServices; import com.scorsaro.bbas.service.interfaces.ITransactionServices; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import java.math.BigDecimal; import java.math.RoundingMode; import java.time.LocalDate; import java.time.LocalDateTime; import java.time.temporal.ChronoUnit; @Service public class TimeBasedOperationsServices implements ITimeBaseOperationServices { @Autowired TransactionRepository transactionRepository; @Autowired ITransactionServices transactionServices; /* Return an updated balance (timeBasedOperation like monthly fee and interest are applied) */ @Override public BalanceDTO updateCheckingBalance(Checking account) { Money accountBalance = account.getBalance(); BigDecimal monthlyMaintenanceFeeToPay = BigDecimal.ZERO; long monthsPassed; LocalDateTime lastMMF = transactionRepository.findLastTransactionOfSpecificType(account, TransactionType.MONTHLY_MAINTENANCE_FEE); if (lastMMF != null) monthsPassed = ChronoUnit.MONTHS.between(lastMMF, LocalDate.now()); else monthsPassed = ChronoUnit.MONTHS.between(account.getCreationDate(), LocalDate.now()); return applyMonthlyMaintenanceFee(account, accountBalance, monthlyMaintenanceFeeToPay, monthsPassed); } /* Return an updated balance (timeBasedOperation like monthly fee and interest are applied) */ @Override public BalanceDTO updateSavingBalance(Saving account) { Money accountBalance = account.getBalance(); BigDecimal interestToAdd = BigDecimal.ZERO; long yearsPassed; LocalDateTime lastInterest = transactionRepository.findLastTransactionOfSpecificType(account, TransactionType.INTEREST); if (lastInterest != null) yearsPassed = ChronoUnit.YEARS.between(lastInterest, LocalDate.now()); else yearsPassed = ChronoUnit.YEARS.between(account.getCreationDate(), LocalDate.now()); return applyYearInterest(account, accountBalance, interestToAdd, yearsPassed); } /* Return an updated balance (timeBasedOperation like monthly fee and interest are applied) */ @Override public BalanceDTO updateCreditCard(CreditCard account) { Money accountBalance = account.getBalance(); BigDecimal interestToAdd = BigDecimal.ZERO; long monthsPassed; LocalDateTime lastInterest = transactionRepository.findLastTransactionOfSpecificType(account, TransactionType.INTEREST); if (lastInterest != null) monthsPassed = ChronoUnit.MONTHS.between(lastInterest, LocalDate.now()); else monthsPassed = ChronoUnit.MONTHS.between(account.getCreationDate(), LocalDate.now()); return applyMonthlyInterest(account, accountBalance, interestToAdd, monthsPassed); } /* Return an updated balance (timeBasedOperation like monthly fee and interest are applied) */ private BalanceDTO applyMonthlyInterest(CreditCard account, Money accountBalance, BigDecimal interestToAdd, long monthsPassed) { if (monthsPassed > 0) { for (long i = 0; i < monthsPassed; i++) { interestToAdd = interestToAdd.add(accountBalance.getAmount().multiply((account.getInterestRate().divide(BigDecimal.valueOf(12), 2, RoundingMode.HALF_UP)))); } transactionServices.createInterestTransaction(account, interestToAdd); } return new BalanceDTO(accountBalance.getAmount().add(interestToAdd)); } /* Return an updated balance (timeBasedOperation like monthly fee and interest are applied) */ private BalanceDTO applyYearInterest(Saving account, Money accountBalance, BigDecimal interestToAdd, long yearsPassed) { if (yearsPassed > 0) { for (long i = 0; i < yearsPassed; i++) { interestToAdd = interestToAdd.add(accountBalance.getAmount().multiply(account.getInterestRate())); } transactionServices.createInterestTransaction(account, interestToAdd); } return new BalanceDTO(accountBalance.getAmount().add(interestToAdd)); } /* Return an updated balance (timeBasedOperation like monthly fee and interest are applied) */ private BalanceDTO applyMonthlyMaintenanceFee(Checking account, Money accountBalance, BigDecimal monthlyMaintenanceFeeToPay, long monthsPassed) { if (monthsPassed > 0) { for (long i = 0; i < monthsPassed; i++) { monthlyMaintenanceFeeToPay = monthlyMaintenanceFeeToPay.add(account.getMonthlyMaintenanceFee().getAmount()); } transactionServices.createMonthlyMaintenanceFee(account, monthlyMaintenanceFeeToPay); } return new BalanceDTO(accountBalance.getAmount().subtract(monthlyMaintenanceFeeToPay)); } }
71f52aa5400fbd934a762c6fbc2ec14f84c4bde2
af00e9974bded210ed5ce9e77cb7e5881ceff8f7
/src/lazi/sudoku/deducer/OnlySquareForAValueDeducer.java
888b528aacb30e05079eb732c5e012f409037e91
[]
no_license
lazinessisavirtue/sudoku-java
c447ddeacfc448e6b8156fa77f34c11dd38ff460
160cac65a01831a72d51a341041d54612c90a90b
refs/heads/master
2020-04-30T06:25:52.800808
2019-03-29T05:04:47
2019-03-29T05:04:47
176,651,377
0
0
null
null
null
null
UTF-8
Java
false
false
1,694
java
package lazi.sudoku.deducer; import java.util.Arrays; import java.util.List; import lazi.sudoku.Position; import lazi.sudoku.PositionLists; import lazi.sudoku.PossibleValues; import lazi.sudoku.board.MutableBoard; public class OnlySquareForAValueDeducer extends Deducer { @Override public boolean deduce(MutableBoard board) { boolean changed = false; List<List<Position>> groups = PositionLists.groups(); PossibleValues[] seenExactlyOne = new PossibleValues[groups.size()]; Arrays.fill(seenExactlyOne, PossibleValues.EMPTY); for (int i = 0; i < groups.size(); i++) { PossibleValues seenOne = PossibleValues.EMPTY; PossibleValues seenTwoPlus = PossibleValues.EMPTY; for (Position p : groups.get(i)) { seenTwoPlus = seenTwoPlus.or(seenOne.and(board.getSquare(p))); seenOne = seenOne.or(board.getSquare(p)); } seenExactlyOne[i] = seenOne.substract(seenTwoPlus); } for (int i = 0; i < groups.size(); i++) { if (seenExactlyOne[i] == PossibleValues.EMPTY) { continue; } for (Position p : groups.get(i)) { if (board.getSquare(p).and(seenExactlyOne[i]) != PossibleValues.EMPTY) { PossibleValues newSquare = board.getSquare(p).and(seenExactlyOne[i]); if (newSquare != board.getSquare(p)) { board.setSquare(p, newSquare); changed = true; } } } } return changed; } }
83480f3c74f8f56a622572cb8ba685c517fc8fd9
d12060e201ae6ced20641692a98f5614949406b6
/ChainResponsability/src/Chain.java
591adf4e6806be67f5e8613be23cf61843ee6596
[]
no_license
syordya/CSUNSA-IS2
de151b5ad2bb8e7113a1c0a37e6ca4deddee2f8b
eee522d156a1d72729de99d1d7cb0a1781eba04d
refs/heads/master
2023-01-30T14:24:54.814222
2020-12-17T06:49:38
2020-12-17T06:49:38
299,135,845
0
0
null
null
null
null
WINDOWS-1250
Java
false
false
545
java
// El patrón de cadena de responsabilidad tiene un // grupo de objetos que se espera que entre // ellos podrán resolver un problema. // Si el primer Objeto no puede resolverlo, pasa // los datos al siguiente objeto de la cadena public interface Chain { // Define el siguiente Objeto para recibir los datos // si este objeto no puede procesarlo public void setNextChain(Chain nextChain); // O resuelve el problema o pasa los datos // al siguiente objeto de la cadena public void calculate(Numbers request); }
52d607a79a099c0179f9cd61d979d5db010781d4
3a05ae7851f8cd6d41311a2cdf243448d5a21a67
/suffix_array/src/SuffixArray.java
ff45501a03239f95f4b99c3715f5deb45629efac
[]
no_license
wesley-stone/algorithm
1c7c499f789239f111a3ccf1bc1f77c7739ddfd1
fcbe8763a4cd1abdecdc92f1565f0440290d57f3
refs/heads/master
2021-06-17T14:01:42.629769
2017-06-13T08:15:19
2017-06-13T08:15:19
null
0
0
null
null
null
null
UTF-8
Java
false
false
7,226
java
import java.util.ArrayList; import java.util.List; import java.util.Map; /** * Created by wesley on 2017/3/19. */ public class SuffixArray { public static List<String> suffix(Map<String, String> sequence){ return null; } static int[] suffix(String seq){ return null; } static int[] suffix_sort(int[] seq){ if (seq.length == 0){ return new int[0]; } else if (seq.length == 1){ int[] result = new int[1]; result[0] = 0; return result; } else if (seq.length == 3){ int[] result = new int[3]; result[0] = 1; if (seq[0] < seq[2]){ result[1] = 0; result[2] = 2; } else { result[1] = 2; result[2] = 0; } return result; } int len = seq.length; int[] R = new int[(len+1)/3 + len/3]; int anchor_index = (len+1)/3; int k =0; // 3*k + 1 for (int i=1; i< len; i+=3, k++){ R[k] = i; } // 3*k + 2 for (int i=2; i<len; i+=3, k++){ R[k] = i; } List<Integer>[] radix_R = radix_sort(R, seq); int[] encoded_R = encode(radix_R, R, seq, R.length, anchor_index); // sort S' int[] suffix_R = suffix_sort(encoded_R); int[] sorted_S = new int[R.length]; int[] mirror_sorted_S = new int[seq.length]; for (int i=0,j=0; i<suffix_R.length; i++){ int sr = suffix_R[i]; if (sr < anchor_index){ sorted_S[j] = sr*3+1; mirror_sorted_S[sr*3+1] = j; j++; } else if(sr == anchor_index){ continue; } else { sorted_S[j] = (sr-anchor_index-1)*3+2; mirror_sorted_S[sorted_S[j]] = j; j++; } } // generate S' int[] sorted_S1 = new int[(len+2)/3]; int max = -1; for (int i=0; i<seq.length; i+=3){ if (seq[i] > max){ max = seq[i]; } } List<Integer>[] buckets = new List[max+1]; for (int i=0; i<seq.length; i+=3){ if (buckets[seq[i]] == null){ buckets[seq[i]] = new ArrayList<>(); } buckets[seq[i]].add(i); } int k1 = 0; for (int i=0; i<sorted_S.length; i++){ if (sorted_S[i]%3 == 1){ sorted_S1[k1] = sorted_S[i]-1; k1++; } } // merge S and S' int si=0, s1i=0, ri=0; int[] result = new int[seq.length]; while (si<sorted_S.length && s1i < sorted_S1.length){ boolean choose = false; int type = sorted_S[si]%3; if (type == 1) { if (seq[sorted_S[si]] == seq[sorted_S1[s1i]]){ choose = mirror_sorted_S[sorted_S[si]] < mirror_sorted_S[sorted_S1[s1i]]; } else { choose = seq[sorted_S[si]] < seq[sorted_S1[s1i]]; } } else { if (seq[sorted_S[si]] == seq[sorted_S1[s1i]]){ if (sorted_S[si]+1 >= seq.length) { choose = true; } else if (sorted_S1[s1i]+1 >= seq.length){ choose = false; } else if (seq[sorted_S[si]+1] == seq[sorted_S1[s1i]+1]){ choose = mirror_sorted_S[sorted_S[si]] < mirror_sorted_S[sorted_S1[s1i]]; } else { choose = seq[sorted_S[si]+1] < seq[sorted_S1[s1i]+1]; } } else { choose = seq[sorted_S[si]] < seq[sorted_S1[s1i]]; } } if (choose){ result[ri++] = sorted_S[si++]; } else { result[ri++] = sorted_S1[s1i++]; } } if (si < sorted_S.length){ while (ri < result.length){ result[ri++] = sorted_S[si++]; } } else if (s1i < sorted_S1.length){ while (ri < result.length){ result[ri++] = sorted_S1[s1i++]; } } return result; } static List<Integer>[] radix_sort(int[] table, int[] tseq){ int max = -1; int[] seq = new int[tseq.length+3]; for (int i=0;i<tseq.length; i++){ if (tseq[i]> max){ max = tseq[i]; } seq[i] = tseq[i]; } seq[tseq.length] = 0; seq[tseq.length+1] = 0; max ++; List<Integer>[] li = new List[max]; li[0] = new ArrayList<>(); for (int i=0; i< table.length; i++){ li[0].add(i); } for (int i=2; i>=0; i--){ List<Integer>[] li_new = new List[max]; for (List<Integer> l: li){ if (l== null || l.size() == 0){ continue; } for (int j :l){ int r = seq[table[j]+i]; if (li_new[r] == null){ li_new[r] = new ArrayList<>(); } li_new[r].add(j); } } li = li_new; } return li; } static int[] encode(List<Integer>[] sort, int[] table, int[] seq, int size, int anchor){ int code = 0; int[] result = new int[size+1]; for (List<Integer> li: sort){ if (li == null|| li.size() == 0){ continue; } anchor_set(result, li.get(0), ++code, anchor); for (int i=1; i<li.size(); i++){ int lg = li.get(i); if (!isEqual(table[lg], table[li.get(i-1)], seq)){ code++; } anchor_set(result, lg, code, anchor); } } result[anchor] = 0; // insert $ return result; } private static void anchor_set(int[] array, int index, int val, int anchor){ if (index < anchor){ array[index] = val; } else { array[index+1] = val; } } private static boolean isEqual(int i, int j, int[] seq){ if (i+1 < seq.length && j+1 < seq.length){ if (seq[i+1] == seq[j+1]){ if (i+2 < seq.length && j+2 < seq.length){ return seq[i+2] == seq[j+2]; } return (i+2 >= seq.length && j+2 >= seq.length); } else { return false; } } else { return i+1 >= seq.length && j+1 >= seq.length; } } public static void main(String[] args){ int[] seq = {'m','i','s','s', 'i','s','s', 'i','p','p','i'}; int[] suffix = suffix_sort(seq); print(suffix); } static void print(int[] array){ System.out.print('['); for (int i: array){ System.out.print(i); System.out.print(", "); } System.out.println(']'); } }
97a5466ece8f7843b20cf7f49a0533e76bd92e92
f97b7c8f816763a33b69c2052cc36780a863b7e0
/designpattern/src/main/java/cn/javass/dp/flyweight/example5/Client.java
eea9344b8969dcd98340fced24b073f3d8646ace
[]
no_license
nowodoo/MyProject
82aaace8966b8b0f4dcc229f7c84eb325d19e0f2
28cf37ac4414ceb7b114da66ecd44293a5eb1536
refs/heads/master
2022-12-21T19:34:46.762779
2020-03-07T14:03:09
2020-03-07T14:03:09
92,837,359
1
0
null
2022-12-16T08:06:11
2017-05-30T13:45:38
Java
UTF-8
Java
false
false
1,081
java
package cn.javass.dp.flyweight.example5; import java.util.*; public class Client { public static void main(String[] args) throws Exception{ SecurityMgr mgr = SecurityMgr.getInstance(); boolean f1 = mgr.hasPermit("张三","薪资数据","查看"); boolean f2 = mgr.hasPermit("李四","薪资数据","查看"); boolean f3 = mgr.hasPermit("李四","薪资数据","修改"); Thread.sleep(4000L); for(int i=0;i<3;i++){ mgr.hasPermit("张三"+i,"薪资数据","查看"); } //特别提醒:这里查看的引用次数,不是指测试使用的次数 //指的是SecurityMgr的queryByUser方法通过享元工厂去获取享元对象的次数 System.out.println("薪资数据,查看 被引用了"+FlyweightFactory.getInstance().getUseTimes("薪资数据,查看")+"次"); System.out.println("薪资数据,修改 被引用了"+FlyweightFactory.getInstance().getUseTimes("薪资数据,修改")+"次"); System.out.println("人员列表,查看 被引用了"+FlyweightFactory.getInstance().getUseTimes("人员列表,查看")+"次"); } }
24b7fe3949ce7e376443feafdd4773da80317b28
d7c65ec7269db62ccc01e1e48244d0ee28852759
/app/src/main/java/com/maxin/liang/adapter/share/TextAdapter.java
16cb451b38286e05577797acbae0cf786c3c5a3f
[]
no_license
atguigumx/Liang
c81b610d0bbe56a8650ab9580db93a7375a4a9c0
5298f54ef285592f50cb22435ad87c4737e0543c
refs/heads/master
2020-12-02T18:12:31.778258
2017-07-27T03:44:14
2017-07-27T03:44:14
96,375,965
0
0
null
null
null
null
UTF-8
Java
false
false
1,712
java
package com.maxin.liang.adapter.share; import android.content.Context; import android.view.View; import android.view.ViewGroup; import android.widget.BaseAdapter; import android.widget.TextView; import com.maxin.liang.R; import com.maxin.liang.bean.share.DuanZiBean; import java.util.ArrayList; import java.util.List; import butterknife.Bind; import butterknife.ButterKnife; /** * Created by shkstart on 2017/7/10. */ public class TextAdapter extends BaseAdapter { private final Context context; private List<DuanZiBean.ListBean.TopCommentsBean> items=new ArrayList<>(); public TextAdapter(Context context, List top_comments) { this.context = context; this.items = top_comments; } @Override public int getCount() { return items==null?0:items.size(); } @Override public Object getItem(int i) { return items.get(i); } @Override public long getItemId(int i) { return 0; } @Override public View getView(int i, View view, ViewGroup viewGroup) { ViewHolder viewHolder; if (view == null) { view = View.inflate(context, R.layout.item_text, null); viewHolder=new ViewHolder(view); view.setTag(viewHolder); }else { viewHolder= (ViewHolder) view.getTag(); } viewHolder.text.setText(items.get(i).getContent()); viewHolder.name.setText(items.get(i).getU().getName()); return view; } static class ViewHolder { @Bind(R.id.name) TextView name; @Bind(R.id.text) TextView text; ViewHolder(View view) { ButterKnife.bind(this, view); } } }
a72ae4fa544bc15c4262eee346304d075b24f9fd
cb2321b8beeca3953ba9ec2b3136b900fe85811e
/src/main/java/com/victor/auth/payload/response/JwtResponse.java
4bc72961e4136d7ae5eb81ee2396f0a1cda7c1dd
[]
no_license
victor-onu/auth
96c30057362fc5a3759545e206a93f69875d3547
b8593af07ace8c066ea44d30b365096aed9ff617
refs/heads/master
2021-01-07T15:36:13.484469
2020-02-19T22:52:17
2020-02-19T22:52:17
241,744,196
0
0
null
null
null
null
UTF-8
Java
false
false
1,304
java
package com.victor.auth.payload.response; import java.util.List; public class JwtResponse { private String token; private String type = "Bearer"; private Long id; private String username; private String email; private List<String> roles; public JwtResponse(String accessToken, Long id, String username, String email, List<String> roles) { this.token = accessToken; this.id = id; this.username = username; this.email = email; this.roles = roles; } public String getAccessToken() { return token; } public void setAccessToken(String accessToken) { this.token = accessToken; } public String getTokenType() { return type; } public void setTokenType(String tokenType) { this.type = tokenType; } public Long getId() { return id; } public void setId(Long id) { this.id = id; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } public String getUsername() { return username; } public void setUsername(String username) { this.username = username; } public List<String> getRoles() { return roles; } }
2b9c6fc5cc2d730ecc9a5e65d49d7d40c3b1ca0c
5fa498f45ba00a5d0badaba87d3a81577c9718f9
/app/src/main/java/i/app/menthelapp/CounsellorPkg/ClientViewFragment.java
88da5f8f201ab21be17ebb4a8584ad51c79e5b7f
[]
no_license
SuHuini/MentalApp
9fde6aac8109248d244e29caf87fb369cdb2aa66
c09c219da56c2538b462e6c0512507a026d4ec02
refs/heads/master
2023-03-08T21:29:09.463357
2021-02-17T17:11:51
2021-02-17T17:11:51
306,880,768
1
0
null
null
null
null
UTF-8
Java
false
false
3,896
java
package i.app.menthelapp.CounsellorPkg; import android.content.Context; import android.net.Uri; import android.os.Bundle; import androidx.annotation.NonNull; import androidx.fragment.app.Fragment; import androidx.recyclerview.widget.LinearLayoutManager; import androidx.recyclerview.widget.RecyclerView; import android.util.Log; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import com.google.android.gms.tasks.OnCompleteListener; import com.google.android.gms.tasks.Task; import com.google.firebase.auth.FirebaseAuth; import com.google.firebase.auth.FirebaseUser; import com.google.firebase.firestore.DocumentReference; import com.google.firebase.firestore.FirebaseFirestore; import com.google.firebase.firestore.QueryDocumentSnapshot; import com.google.firebase.firestore.QuerySnapshot; import java.util.ArrayList; import java.util.List; import i.app.menthelapp.Adapters.SessionsAdapter; import i.app.menthelapp.Client; import i.app.menthelapp.R; import i.app.menthelapp.Session; public class ClientViewFragment extends Fragment { String TAG = "ClientFragment"; private RecyclerView recyclerView; private ClientAdapter clientAdapter; private List<Client> mClients; //private CollectionReference fStore; private FirebaseFirestore fStore; DocumentReference doc ; FirebaseAuth mAuth; String userEmail; //TextView uemail; @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { View view = inflater.inflate(R.layout.fragment_client_view, container, false); recyclerView = view.findViewById(R.id.recycler_view); recyclerView.setHasFixedSize(true); recyclerView.setLayoutManager(new LinearLayoutManager(getContext())); mClients = new ArrayList<>(); showSessions(); return view; } public void showSessions(){ final FirebaseUser firebaseUser = FirebaseAuth.getInstance().getCurrentUser(); fStore = FirebaseFirestore.getInstance(); userEmail = firebaseUser.getEmail(); fStore.collection("Users") .whereEqualTo("IsUser", 1) .whereEqualTo("counEmail", userEmail ) .get() .addOnCompleteListener(new OnCompleteListener<QuerySnapshot>() { @Override public void onComplete(@NonNull Task<QuerySnapshot> task) { if (task.isSuccessful()) { for (QueryDocumentSnapshot document : task.getResult()) { Client client = document.toObject(Client.class); //coun.setDocumentId(documentSnapshot.getId()); String clientFName = client.getClientFName(); String clientLName = client.getClientSName(); String email = client.getClientEmail(); mClients.add(client); String data = "Name: " + clientFName + "\ncounName: " + clientLName + "\n Date: " + email+ "\n\n"; //coun = document.getData(); Log.d(TAG, document.getId() + " => " + document.getData()); Log.d(TAG,"Data"+ data); //name.setText(data); clientAdapter = new ClientAdapter(getContext(), mClients); recyclerView.setAdapter(clientAdapter); } } else { Log.d(TAG, "Error getting documents: ", task.getException()); } } }); } }
12f59873c6aab849d172a9614b502b8ff6b78d2e
55b707a9085bf1bf8ed3ff4f153137224da15271
/src/main/java/br/com/ifce/domain/Car.java
a4fd39fe9679e68a201d54ce4c880072df9c2d97
[]
no_license
EngBruno/CarRESTfull
5389d0742269e469bff3df62d7f6d2cdfc0e4d2f
8b49c7b6ce3e0553825ebbbb9ebf51e9aa5693b8
refs/heads/master
2021-01-10T17:15:50.841785
2016-02-17T16:39:43
2016-02-17T16:39:43
50,428,018
1
0
null
null
null
null
UTF-8
Java
false
false
1,572
java
package br.com.ifce.domain; import java.io.Serializable; import javax.xml.bind.annotation.XmlRootElement; @XmlRootElement public class Car implements Serializable { private static final long serialVersionUID = 1L; private Long id; private String type; private String name; private String desc; private String urlPhoto; private String urlVideo; private String latitude; private String longitude; public Long getId() { return id; } public void setId(Long id) { this.id = id; } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getDesc() { return desc; } public void setDesc(String desc) { this.desc = desc; } public String getUrlPhoto() { return urlPhoto; } public void setUrlPhoto(String urlPhoto) { this.urlPhoto = urlPhoto; } public String getUrlVideo() { return urlVideo; } public void setUrlVideo(String urlVideo) { this.urlVideo = urlVideo; } public String getLatitude() { return latitude; } public void setLatitude(String latitude) { this.latitude = latitude; } public String getLongitude() { return longitude; } public void setLongitude(String longitude) { this.longitude = longitude; } @Override public String toString (){ return "Carro = [id: "+id+",type: "+type+",name: "+name+", descrptin: "+desc+", urlPhoto: "+urlPhoto+", urlVideo: " +urlVideo+", latitude: "+latitude+", longitude: "+longitude+"]"; } }
14a49b64604ea4ef568834f173f2ceaf2600c342
d20d293c3f0928d79fcd1a65cea8d636e1369719
/1.JavaSyntax/src/com/javarush/task/task06/task0618/Solution.java
7ff011b93803ba80a3d2bdaf8c281323a5b87911
[]
no_license
Feverhowl/JavaRushTasks
1efee70f19da5e571c75519599fa46a893b3d31b
453bbf63929c66f7016833c4ee088008e6f8e454
refs/heads/master
2020-06-21T23:45:16.354874
2020-04-02T08:18:28
2020-04-02T08:18:28
197,581,079
0
0
null
null
null
null
UTF-8
Java
false
false
296
java
package com.javarush.task.task06.task0618; /* KissMyShinyMetalAss */ public class Solution { public static class KissMyShinyMetalAss { } public static void main(String[] args) { KissMyShinyMetalAss ass = new KissMyShinyMetalAss(); System.out.println(ass); } }
2e5e5f9e93c187e5de5da34510dccdfbdf98655e
00fb5ac5704db88e6b36bc6b13e8f4077f97883a
/Gestion De Reclamations/PiDev2V2/src/Controller/FXMLDocumentController.java
ec7432d97ef755fceb7b40f9859b60649a674596
[]
no_license
BlastillROID/SocialPro
ba679dcd3149d19890ec5a9e0f10eb7959f434db
a391ae9d261c245df37a971caff458984f31b9d0
refs/heads/master
2023-03-19T04:00:13.368891
2017-05-05T02:03:55
2017-05-05T02:03:55
81,463,275
0
0
null
2023-03-08T14:20:16
2017-02-09T15:16:45
Java
UTF-8
Java
false
false
5,452
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package Controller; import java.net.URL; import java.sql.Date; import java.util.ResourceBundle; import javafx.collections.FXCollections; import javafx.collections.ObservableList; import javafx.event.ActionEvent; import javafx.fxml.FXML; import javafx.fxml.Initializable; import javafx.scene.control.Alert; import javafx.scene.control.Alert.AlertType; import javafx.scene.control.Button; import javafx.scene.control.Label; import javafx.scene.control.ListView; import javafx.scene.control.TableView; import javafx.scene.control.TextArea; import javafx.scene.control.TextField; import javafx.scene.input.InputMethodEvent; import javafx.scene.input.KeyEvent; import javafx.scene.input.MouseEvent; import pidev2.DataBase.DataSource; import pidev2.Entities.Complaint; import pidev2.Entities.Employee; import pidev2.Service.Complaint_Services; import pidev2.Service.Employee_Services; /** * * @author Nizar */ public class FXMLDocumentController implements Initializable { @FXML private Label label; @FXML private Button button; @FXML private TableView tableV_complaint; @FXML private TextField textField,Titre; @FXML private TextArea Descriptif; @FXML private Button Benvoyer_rec; private Label test; @FXML private TableView<?> tableV_complaint_modif; @FXML private TextField titreComlaint_modif; @FXML private TextArea descreptifComplaint_modif; @FXML private Label idComplaint_modif; @FXML private Button enregisterB_complaint_modif; @FXML private void handleButtonAction(ActionEvent event) { /* Employee e=new Employee(1, "nizar", "nizar", "abc", "mus", new Date(0), 1 , 2, 3); Employee e2=new Employee(2, "nizar2", "nizar", "abc", "mus", new Date(0), 1 , 2, 3); Employee_Services IE = new Employee_Services(); /* Complaint c= new Complaint("test", "test", e.getID()); Complaint c2= new Complaint("test2", "test2", e2.getID());*/ Complaint_Services cs = new Complaint_Services(); DataSource DS = null; DataSource.getinstance(); //IE.Ajout(e); // System.out.println("You clicked me!!!!!!!!!!!!!!!!!!!!!!!!!"); cs.Affichage().forEach(System.out::println); // cs.Ajout(c2); System.out.println("You clicked me!"); // cs.Affichage().forEach(System.out::println); // System.err.println(cs.getById(1)); // cs.Modifier(1, "modif", "modif"); // cs.Supprimer(1); // System.out.println(c.getId()); //System.err.println(cs.getById(1)); label.setText("Hello World!"); } @Override public void initialize(URL url, ResourceBundle rb) { Complaint_Services cs = new Complaint_Services(); ObservableList o= FXCollections.observableArrayList(cs.Affichage()); // lvc.setItems(o); cs.chargeTableauDonnees(tableV_complaint); cs.chargeTableauDonnees(tableV_complaint_modif); } @FXML private void chercher(KeyEvent event) { tableV_complaint.refresh(); Complaint_Services cs = new Complaint_Services(); cs.recherche(textField.getText(), tableV_complaint); } @FXML private void Envoyer_reclamation(ActionEvent event) { Employee e=new Employee(2, "nizar", "nizar", "abc", "mus", new Date(0), 1 , 2, 3); Complaint_Services cs = new Complaint_Services(); Complaint c= new Complaint(e.getID(),Titre.getText(), Descriptif.getText()); cs.Ajout(c); Alert alert = new Alert(AlertType.INFORMATION); alert.setTitle("intformation"); alert.setHeaderText(null); alert.setContentText("ajout avec succes!"); alert.showAndWait(); } private void recup(MouseEvent event) { /* Complaint_Services cs = new Complaint_Services(); String valeur = tableV_complaint.getSelectionModel().getSelectedItems().get(0).toString(); String id = valeur.substring(1, 2); int ID =Integer.parseInt(id); System.out.println(ID); Complaint c= cs.getById(ID); test.setText(c.getTitle());*/ } @FXML private void getComplaint(MouseEvent event) { Complaint_Services cs = new Complaint_Services(); String valeur = tableV_complaint_modif.getSelectionModel().getSelectedItems().get(0).toString(); String id = valeur.substring(1, valeur.indexOf(",")); int ID =Integer.parseInt(id); // System.out.println(ID); Complaint c= cs.getById(ID); idComplaint_modif.setText(id); titreComlaint_modif.setText(c.getTitle()); descreptifComplaint_modif.setText(c.getDescription()); } @FXML private void Modifier_reclamation(ActionEvent event) { Complaint_Services cs = new Complaint_Services(); int ID = Integer.parseInt(idComplaint_modif.getText()); cs.Modifier(ID,titreComlaint_modif.getText(), descreptifComplaint_modif.getText()); Alert alert = new Alert(AlertType.INFORMATION); alert.setTitle("intformation"); alert.setHeaderText(null); alert.setContentText("modification avec succes!"); alert.showAndWait(); } }
91ef80bfa5e4cb6c52a0767c366be2f7f3601475
a4cb372ced240bf1cf0a9d123bdd4a805ff05df6
/spring-boot-project/spring-boot-autoconfigure/src/main/java/org/springframework/boot/autoconfigure/integration/IntegrationPropertiesEnvironmentPostProcessor.java
dc15c6ebf6f05cf64b8848a9e0d23736d22736ed
[]
no_license
ZhaoBinxian/spring-boot-maven-ben
c7ea6a431c3206959009ff5344547436e98d75ca
ebd43548bae1e35fff174c316ad154cd0e5defb3
refs/heads/master
2023-07-18T12:53:49.028864
2021-09-07T04:55:54
2021-09-07T04:55:54
null
0
0
null
null
null
null
UTF-8
Java
false
false
4,913
java
/* * Copyright 2012-2021 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.springframework.boot.autoconfigure.integration; import java.io.IOException; import java.util.Collections; import java.util.HashMap; import java.util.Map; import org.springframework.boot.SpringApplication; import org.springframework.boot.env.EnvironmentPostProcessor; import org.springframework.boot.env.OriginTrackedMapPropertySource; import org.springframework.boot.env.PropertiesPropertySourceLoader; import org.springframework.boot.origin.Origin; import org.springframework.boot.origin.OriginLookup; import org.springframework.core.Ordered; import org.springframework.core.env.ConfigurableEnvironment; import org.springframework.core.env.PropertySource; import org.springframework.core.io.ClassPathResource; import org.springframework.core.io.Resource; import org.springframework.integration.context.IntegrationProperties; /** * An {@link EnvironmentPostProcessor} that maps the configuration of * {@code META-INF/spring.integration.properties} in the environment. * * @author Artem Bilan * @author Stephane Nicoll */ class IntegrationPropertiesEnvironmentPostProcessor implements EnvironmentPostProcessor, Ordered { @Override public int getOrder() { return Ordered.LOWEST_PRECEDENCE; } @Override public void postProcessEnvironment(ConfigurableEnvironment environment, SpringApplication application) { Resource resource = new ClassPathResource("META-INF/spring.integration.properties"); if (resource.exists()) { registerIntegrationPropertiesPropertySource(environment, resource); } } protected void registerIntegrationPropertiesPropertySource(ConfigurableEnvironment environment, Resource resource) { PropertiesPropertySourceLoader loader = new PropertiesPropertySourceLoader(); try { OriginTrackedMapPropertySource propertyFileSource = (OriginTrackedMapPropertySource) loader .load("META-INF/spring.integration.properties", resource).get(0); environment.getPropertySources().addLast(new IntegrationPropertiesPropertySource(propertyFileSource)); } catch (IOException ex) { throw new IllegalStateException("Failed to load integration properties from " + resource, ex); } } private static final class IntegrationPropertiesPropertySource extends PropertySource<Map<String, Object>> implements OriginLookup<String> { private static final String PREFIX = "spring.integration."; private static final Map<String, String> KEYS_MAPPING; static { Map<String, String> mappings = new HashMap<>(); mappings.put(PREFIX + "channel.auto-create", IntegrationProperties.CHANNELS_AUTOCREATE); mappings.put(PREFIX + "channel.max-unicast-subscribers", IntegrationProperties.CHANNELS_MAX_UNICAST_SUBSCRIBERS); mappings.put(PREFIX + "channel.max-broadcast-subscribers", IntegrationProperties.CHANNELS_MAX_BROADCAST_SUBSCRIBERS); mappings.put(PREFIX + "error.require-subscribers", IntegrationProperties.ERROR_CHANNEL_REQUIRE_SUBSCRIBERS); mappings.put(PREFIX + "error.ignore-failures", IntegrationProperties.ERROR_CHANNEL_IGNORE_FAILURES); mappings.put(PREFIX + "endpoint.throw-exception-on-late-reply", IntegrationProperties.THROW_EXCEPTION_ON_LATE_REPLY); mappings.put(PREFIX + "endpoint.read-only-headers", IntegrationProperties.READ_ONLY_HEADERS); mappings.put(PREFIX + "endpoint.no-auto-startup", IntegrationProperties.ENDPOINTS_NO_AUTO_STARTUP); KEYS_MAPPING = Collections.unmodifiableMap(mappings); } private final OriginTrackedMapPropertySource delegate; IntegrationPropertiesPropertySource(OriginTrackedMapPropertySource delegate) { super("META-INF/spring.integration.properties", delegate.getSource()); this.delegate = delegate; } @Override public Object getProperty(String name) { return this.delegate.getProperty(KEYS_MAPPING.get(name)); } @Override public Origin getOrigin(String key) { return this.delegate.getOrigin(KEYS_MAPPING.get(key)); } } }
1bcf638ad4ce965253bb873c1825ee04088d0bb7
0e3ebd531666d66314fe04d2fde0483fbea37f8c
/casterly-rock-common/src/main/java/kz/zhadyrassyn/casterly/rock/common/error/BadCredentialsException.java
c9f30e2feeb43bd63ab6d4b005a0a939478e250e
[]
no_license
zhadyrassyn/casterly-rock
6de767be42a7ca22bb5713f31d749757175f5ef0
db5ec7d5605738ca4a225118518666bfa05040f3
refs/heads/master
2020-05-15T01:18:17.377213
2019-05-15T11:29:31
2019-05-15T11:29:31
182,017,405
0
0
null
null
null
null
UTF-8
Java
false
false
203
java
package kz.zhadyrassyn.casterly.rock.common.error; public class BadCredentialsException extends Exception { public BadCredentialsException(String errorMessage) { super(errorMessage); } }
1d83651b1f4943ed6fd7190fe6799e75a11ce0b7
1121651574aacf2794f9a296556be9ba8f76ba23
/src/main/java/com/dragovorn/statproject/render/ProjectWindow.java
4740b62cb87177a4d306b260b088c0d64bbcaee6
[]
no_license
Dragovorn/stat-project
7e9eff361f5679d141236745ff42e8584249745d
c1c0e1202f57eae6e95233997b48e0072e35dd9e
refs/heads/master
2021-01-11T17:37:35.520439
2017-01-24T14:44:07
2017-01-24T14:44:07
79,807,421
0
0
null
null
null
null
UTF-8
Java
false
false
963
java
package com.dragovorn.statproject.render; import javax.swing.*; import java.awt.*; public class ProjectWindow { private JFrame frame; public ProjectWindow() { Dimension dimension = new Dimension(500, 500); this.frame = new JFrame("Stat Project"); this.frame.setSize(dimension); this.frame.setMinimumSize(dimension); this.frame.setMaximumSize(dimension); this.frame.setPreferredSize(dimension); this.frame.setResizable(false); this.frame.setContentPane(new RenderPane()); this.frame.setLocation(Toolkit.getDefaultToolkit().getScreenSize().width / 2 - dimension.width / 2, Toolkit.getDefaultToolkit().getScreenSize().height / 2 - dimension.height / 2); this.frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE); this.frame.setAlwaysOnTop(false); this.frame.setVisible(true); } public JFrame getFrame() { return this.frame; } }
2ed89a443061ce9bb5f7bf44200acad49e6d9387
49e09fbed33f0b7c6f73df59f1dd9bb99e3895a0
/LeetCode/src/com/lily/leetcode/medium_array/ValidSudoku.java
4634c1a7a9095acf8c0663658caec48a869b00ff
[]
no_license
lilinyu861/MyLeetCode
6db27e6564f47f5711f192e4d62c35a06d1a86c4
c9e6e440394cf5ecc0cd23ebcaa086609deeccfc
refs/heads/master
2021-12-29T03:58:30.193478
2021-12-18T14:36:27
2021-12-18T14:36:27
176,206,153
0
0
null
null
null
null
UTF-8
Java
false
false
1,818
java
package com.lily.leetcode.medium_array; import java.util.HashMap; public class ValidSudoku { private static boolean isValidSudoku(char[][] board) { HashMap<String,Boolean> map = new HashMap<>(); for (int i = 0; i < board.length; i++){ for (int j = 0; j < board[i].length; j++){ char num = board[i][j]; if (num == '.') continue; String rowKey = i+"row"+num; String colKey = j+"col"+num; int groupIndex = i/3+j/3*3; String groupKey = groupIndex+"group"+num; //getOrDefault,如果已经有key值,则返回key值,及if条件中满足(已经存在重复数字),返回false if (map.getOrDefault(rowKey, false)|| map.getOrDefault(colKey, false)|| map.getOrDefault(groupKey, false)) { return false; } map.put(rowKey, true); map.put(colKey, true); map.put(groupKey, true); } } return true; } public static void main(String[] args){ char[][] board = new char[][]{ {'5','3','5','.','7','.','.','.','.'}, {'6','.','.','1','9','5','.','.','.'}, {'.','9','8','.','.','.','.','6','.'}, {'8','.','.','.','6','.','.','.','3'}, {'4','.','.','8','.','3','.','.','1'}, {'7','.','.','.','2','.','.','.','6'}, {'.','6','.','.','.','.','2','8','.'}, {'.','.','.','4','1','9','.','.','5'}, {'.','.','.','.','8','.','.','7','9'} }; boolean result = isValidSudoku(board); System.out.println(result); } }
761b39ed9b23293bc584ac04ed471745e53e41ef
1298e1c79a08610a66fd3e30acd09a3773392517
/cli/src/main/java/org/jboss/galleon/cli/tracking/ConfigsTracker.java
4f81ffc1febb49055ef449f097428b8d43227f77
[ "Apache-2.0" ]
permissive
ppalaga/galleon
501b7eb4e8a05e19c331661de01692aff62b1c42
cd4b1d3cf65949544d551db238f56217b5ae2888
refs/heads/master
2020-03-20T09:03:33.123578
2018-08-13T14:52:33
2018-08-13T14:52:33
137,327,075
0
0
null
2018-06-14T08:10:33
2018-06-14T08:10:33
null
UTF-8
Java
false
false
1,372
java
/* * Copyright 2016-2018 Red Hat, Inc. and/or its affiliates * and other contributors as indicated by the @author tags. * * 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.jboss.galleon.cli.tracking; import org.jboss.galleon.progresstracking.ProgressTracker; import org.jboss.galleon.state.ProvisionedConfig; /** * * @author [email protected] */ public class ConfigsTracker extends CliProgressTracker<ProvisionedConfig> { public ConfigsTracker() { super("Generating configuration", "Configurations generated."); } @Override protected String processingContent(ProgressTracker<ProvisionedConfig> tracker) { return tracker.getItem().getModel() + "/" + tracker.getItem().getName(); } @Override protected String completeContent(ProgressTracker<ProvisionedConfig> tracker) { return ""; } }
6350ca7a2c054057bd6d19baa24b1d3aadc7fb46
d1088a5b1b390f31c17a3c43dcc98762b85bc4a5
/User/src/main/java/com/dalrada/userProcess/requestBuilder/ProcessRequestBuilder.java
44d23112cc4ff019a327de536962c2288044b932
[]
no_license
Sumit9727/role
8142d97a1172a8fe1f54c4971601769e886c09df
be014c4be84dcaf5c80ee6047f063bdd6c2536e7
refs/heads/master
2020-12-23T17:39:42.498710
2020-01-30T13:40:50
2020-01-30T13:40:50
237,221,046
0
0
null
null
null
null
UTF-8
Java
false
false
567
java
package com.dalrada.userProcess.requestBuilder; import org.springframework.stereotype.Component; import com.dalrada.userIntegration.beans.IntgRequest; import com.dalrada.userProcess.beans.ProcessRequest; @Component public class ProcessRequestBuilder { public IntgRequest buildRequest(ProcessRequest processRequest) { IntgRequest intgRequest = new IntgRequest(); intgRequest.setRoleName(processRequest.getRoleName()); intgRequest.setStatus(processRequest.getStatus()); intgRequest.setCreatedBy(processRequest.getCreatedBy()); return intgRequest; } }
de37fa44e193bbdb8612a1407691672e39ead0e0
7bd3fdc7374e2978f9d98f4e5be8900d05b9340b
/mvplogin/src/main/java/com/qianwang/mvplogin/util/OtherUtils.java
5a38ee42e1bb62fa458a88a61e9f0c112046a4cf
[]
no_license
xiaotianzhen/study2
25e6769070722fcc8387490958bdb93b82b45c3f
a53335482c3f33644a329e9225dc1af259af17c4
refs/heads/master
2021-01-19T09:54:21.132115
2017-04-27T10:01:16
2017-04-27T10:01:16
87,797,101
0
0
null
null
null
null
UTF-8
Java
false
false
1,082
java
package com.qianwang.mvplogin.util; import android.os.CountDownTimer; import android.widget.TextView; import java.lang.ref.WeakReference; /** * Created by sky on 2017/4/24. */ public class OtherUtils { public static void startTimer(final WeakReference<TextView> tvVerifyCode, final String defaultString, int max, int interval) { tvVerifyCode.get().setEnabled(false); new CountDownTimer(max * 1000, interval * 1000 - 10) { @Override public void onTick(long time) { if (tvVerifyCode.get() == null) { this.cancel(); } else { tvVerifyCode.get().setText("" + (time + 15) / 1000 + "s"); } } @Override public void onFinish() { if (tvVerifyCode.get() == null) { this.cancel(); return; } tvVerifyCode.get().setEnabled(true); tvVerifyCode.get().setText(defaultString); } }.start(); } }
749b9bace4269cccfffc0a166162a059d041ce0d
088f6dba3e27fc4e1080a60300692da61770bf2c
/app/src/main/java/com/video/ffmpeg/data/db_control/ResDBControl.java
eb0af0663b5d6dfe5de6291a2758f01257850a8b
[]
no_license
01xinbahe10/AndroidFFmpeg
4511c0474d78efdedae0ff37ddd2a5c04fec12e4
88a35f361bbabec3fdb227843e3cbb8b85fb6c8d
refs/heads/main
2023-03-11T12:41:04.195918
2021-02-24T07:37:18
2021-02-24T07:37:18
302,567,305
1
0
null
null
null
null
UTF-8
Java
false
false
5,570
java
package com.video.ffmpeg.data.db_control; import android.content.ContentValues; import android.content.Context; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.util.Log; import com.video.ffmpeg.baseframe.db.ISQLiteHelper; import com.video.ffmpeg.baseframe.db.SQLiteAssetHelper; import com.video.ffmpeg.data.vo.ResVO; import java.util.ArrayList; import java.util.List; /** * Created by hxb on 2020/6/11 */ public class ResDBControl implements IDBControl { private static ResDBControl mControl = null; private ISQLiteHelper mIHelper = null; private String TABLE_NAME = ""; private Cursor mCursor = null; /*版本1的字段*/ interface DBVersion1 { int version = 1;//版本号 /*表名与字段名*/ String tableName = "filmRes"; String f_name = "name"; String f_address = "address"; } public static ResDBControl getDB(final Context context) { if (null != mControl) { return mControl; } mControl = new ResDBControl(); mControl.TABLE_NAME = DBVersion1.tableName; mControl.mIHelper = SQLiteAssetHelper.init(context, new ISQLiteHelper.SQLiteInit() { @Override public String databaseName() { return DB_NAME; } @Override public int databaseVersion() { return DBVersion1.version; } @Override public void databaseCreate(SQLiteDatabase db) { mControl.createTable(db); } @Override public void databaseUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { } }); return mControl; } private ResDBControl() { } /* * 建表 * */ private void createTable(SQLiteDatabase db) { // String tableField = ","+DBVersion1.f_key+" char ,"+DBVersion1.f_binaryValue+" blob"; // String sql = "create table if not exists " + tableName + " (_id integer primary key autoincrement" + tableField + ")"; String tableField = DBVersion1.f_name + " varchar(255) primary key not null," +DBVersion1.f_address+" varchar(255)"; String sql = "create table if not exists " + TABLE_NAME + " (" + tableField + ")"; db.execSQL(sql); } /* * 保存一条数据 * */ public boolean saveOneRes( final String name, final String address){ final boolean[] is = {false}; mIHelper.carriedOutWritable(new ISQLiteHelper.SQLiteDataAction() { @Override public void action(SQLiteDatabase db) { createTable(db);//如不存在就建表 ContentValues contentValues2 = null; try { contentValues2 = new ContentValues(); contentValues2.put(DBVersion1.f_name, name); contentValues2.put(DBVersion1.f_address, address); } catch (Exception e) { e.printStackTrace(); } if (null == contentValues2) { is[0] = false; } else { long i = db.replace(TABLE_NAME, null, contentValues2); // Log.e(TAG, "error: ppppppppppppppppppppp ttt " + i+" "+TABLE_NAME); is[0] = true; } } @Override public void actionFinally() { } @Override public void error(Exception e) { is[0] = false; } }); return is[0]; } /* * 删除一条数据 * */ public boolean delOneRes(final String name){ final boolean[] is = {false}; mIHelper.carriedOutWritable(new ISQLiteHelper.SQLiteDataAction() { @Override public void action(SQLiteDatabase db) { db.delete(TABLE_NAME, (DBVersion1.f_name + " = ?"), new String[]{name}); is[0] = true; } @Override public void actionFinally() { } @Override public void error(Exception e) { is[0] = false; } }); return is[0]; } /* * 读取全部数据 * */ public List<ResVO> readAllRes(){ final List<ResVO>[] objects = new List[]{null}; mIHelper.carriedOutReadable(new ISQLiteHelper.SQLiteDataAction() { @Override public void action(SQLiteDatabase db) { List<ResVO> list = new ArrayList<>(); mCursor = db.query(TABLE_NAME, null, null, null, null, null,null); if (mCursor.moveToFirst()){ do{ String name = mCursor.getString(mCursor.getColumnIndex(DBVersion1.f_name)); String address = mCursor.getString(mCursor.getColumnIndex(DBVersion1.f_address)); ResVO devVO = ResVO.init().setName(name).setResAddress(address); Log.e("TAG", "action: "+devVO.toString() ); list.add(devVO); }while (mCursor.moveToNext()); } objects[0] = list; } @Override public void actionFinally() { } @Override public void error(Exception e) { objects[0] = null; } }); return objects[0]; } }
16d3859703ffc247edc2f0cf68d67fd58decd68f
9060130e0d8784accb304dc9cffc92fa7b2f49d0
/src/com/cm/quiz/Utility.java
09017e1350b15d5406f3803ee638af7628dceb76
[]
no_license
stalmcdonald/UberHero
1fefdccf782fc9709ef6ddf03d2860ae5d8939d2
ef19353619ee59ab7c2dd2103ade5a76c8690a10
refs/heads/master
2016-09-05T13:49:38.874636
2014-01-31T17:30:13
2014-01-31T17:30:13
15,925,782
0
0
null
null
null
null
UTF-8
Java
false
false
66
java
package com.cm.quiz; public class Utility { }
e497c6020c14b9a83b1b885ae7c15ac99892c0c5
e4f1888db4241aa55d112c79de0f5f0f707d23ef
/src/main/java/pokecube/core/database/abilities/v/VictoryStar.java
1b321bc1cb5f0456b6d1bbfcf277249a7ea60c56
[ "MIT" ]
permissive
Pokecube-Development/Pokecube-Mobs
c6138ea48e5f99cf0871389e26a77b9a7f487d2a
a7e99884709fe41a138aad4fad3c27bdf759b6be
refs/heads/master
2021-11-30T00:19:07.595711
2020-01-26T05:35:10
2020-01-26T05:35:10
145,360,196
3
37
MIT
2021-11-28T01:41:17
2018-08-20T03:12:44
Java
UTF-8
Java
false
false
176
java
package pokecube.core.database.abilities.v; import pokecube.core.database.abilities.Ability; public class VictoryStar extends Ability { // TODO Implement this. }
9fc8081a4aee8a07890e98895a46e9c799a33adc
3198b002ccd10c6fa71340f7da427d5cfe5b9b81
/src/old/message/knowledgebase/CreateTicketMessage.java
d6e321ecb2d5c0c381379d3f8ca22955be65d68b
[ "MIT" ]
permissive
bacta/pre-cu-archive
3dcde4fc76c359895d5bed84f81b399a13417a91
4758c181da9ba774a08f9e8f3810cca34360b732
refs/heads/master
2021-05-31T17:06:07.239535
2016-05-21T06:10:37
2016-05-21T06:10:37
28,212,598
1
1
null
null
null
null
UTF-8
Java
false
false
350
java
package com.ocdsoft.bacta.swg.precu.message.knowledgebase; /** * Created by crush on 8/13/2014. */ public class CreateTicketMessage { //string characterName //int category //int subCategory //unicode details //unicode hiddenDetails //unicode harassingPlayerName //string language //int stationId //bool isBug }
29888e1b51f44e94b056a2d5b50bbc9f2412a905
9f38fcee6aa6dec6d499ab84d1985148db2ce804
/src/main/java/com/dnsimple/request/CheckRegistrantChangeInput.java
78b860ea4093671bf6319ff69815436d91868f95
[ "MIT" ]
permissive
dnsimple/dnsimple-java
e3ddb8155ffe8a0771bb0c1ca6d829b197d9eee1
706f770adf48822d52daccb18dfcf15921fe8e98
refs/heads/main
2023-09-06T09:15:14.707135
2023-09-04T13:01:48
2023-09-04T13:01:48
68,751,169
10
7
MIT
2023-09-12T07:39:19
2016-09-20T20:35:28
Java
UTF-8
Java
false
false
432
java
package com.dnsimple.request; public class CheckRegistrantChangeInput { private final String domainId; private final String contactId; public CheckRegistrantChangeInput(String domainId, String contactId) { this.domainId = domainId; this.contactId = contactId; } public String getDomainId() { return domainId; } public String getContactId() { return contactId; } }
a12f4e435283ad2350ec39d26470922263e3d18c
f410ea304e7f77dc0f554fe3d7cbb207ddb24a76
/src/main/examples/ComposeFunction.java
699ac4f62554c00ec1ddcdbb7c62d3eb5c212ce0
[]
no_license
leonelcs/Java8
6d3e623da9e5ab923f3ed6f48cbe16174cdf6687
7317c27fb10631a5e0ea87f5b0908aa553e64fa4
refs/heads/master
2021-01-15T19:14:18.502649
2017-11-14T16:23:18
2017-11-14T16:23:18
99,812,117
0
1
null
2017-11-14T16:23:19
2017-08-09T13:35:12
Java
UTF-8
Java
false
false
888
java
package main.examples; import java.util.ArrayList; import java.util.List; import java.util.function.Function; public class ComposeFunction { public static void main(String[] args) { System.out.println("before"); Function<Double, Double> doubleFunction = x -> x * x; Function<Double, Double> before = doubleFunction.compose(x -> x + 2); Function<Double, Double> after = doubleFunction.andThen(x -> x + 2); List<Double> lista = new ArrayList<>(); lista.add(new Double(15)); lista.add(new Double(5)); lista.add(new Double(25)); lista.add(new Double(150)); lista.add(new Double(-15)); lista.stream() .map(l -> before.apply(l)) .forEach(System.out::println); System.out.println("after"); lista.stream() .map(l -> after.apply(l)) .forEach(System.out::println); // System.out.println(second.apply(new Double(15))); } }
ff5bbf64fe926ba65c73eb45f8977f9f7ae1543a
a00786c6298b007cfdd38ece6b8366367931d2dc
/WBClass6/src/com/company/googleTranslatorTest.java
bb2dd13d067438acf8fb7d0bc75543107d5ab9c4
[]
no_license
innafilipenko1/automation
857dc6a160c8353812d2b89269a9f51708f5781e
e65dec944e3fd1deb3b2fe781b31447cfcb0bd57
refs/heads/master
2021-01-01T17:27:28.006137
2015-02-02T18:37:02
2015-02-02T18:37:02
29,531,110
0
0
null
null
null
null
UTF-8
Java
false
false
958
java
package com.company; import org.openqa.selenium.By; import org.openqa.selenium.WebDriver; import org.openqa.selenium.WebElement; import org.openqa.selenium.chrome.ChromeDriver; /** * Created by ifilipenko on 1/26/2015. */ public class googleTranslatorTest { public static void main(String[] args) throws InterruptedException { System.setProperty("webdriver.chrome.driver", "C:/Users/ifilipenko/Dropbox/_IdeaProjects/drivers/chromedriver_win32/chromedriver.exe"); WebDriver driver = new ChromeDriver(); driver.get("https://translate.google.com.ua/"); String[] input = {"fellow", "hello", "good bye"}; WebElement source = driver.findElement(By.id("source")); for (int i = 0; i < input.length ; i++) { source.clear(); source.sendKeys(input[i]); Thread.sleep(1000); driver.findElement(By.id("result_box")).getText(); } } }
cbf046eba7296328e604f8730727be0909f423c2
337593c92206c34f35a22345c12cb5951c9c65c0
/src/spyudemo/thread/TestQueue.java
406f1e062e8327e270248d9ad902e8348dca6f6e
[]
no_license
spyu2000/spyudemo
6d29c6bc2bee702db7531730389f0c070105028c
18f18d9291a6b9d8ee1d0943c930ea985b848fd5
refs/heads/master
2020-05-17T22:48:51.775440
2014-07-08T10:08:31
2014-07-08T10:10:02
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,604
java
package spyudemo.thread; import java.util.ArrayList; import java.util.LinkedList; import java.util.List; import javax.management.Query; public class TestQueue { public LinkedList queueList=new LinkedList(); private SendThread[] sendThreadArr=null; public TestQueue(int threadNum){ sendThreadArr=new SendThread[threadNum]; for(int i=0;i<threadNum;i++){ sendThreadArr[i]=new SendThread("thread:"+i+" "); sendThreadArr[i].start(); } } public void addInfo(Object objcet){ synchronized (queueList) { queueList.add(objcet); queueList.notifyAll(); } } public class SendThread extends Thread{ public SendThread(String name){ this.setName(name); } public void run(){ while(true){ synchronized (queueList) { System.out.println(this.getName()+"11111111"); if(queueList.isEmpty()){ try { System.out.println(this.getName()+"22222222222"); queueList.wait(); } catch (InterruptedException e) { // TODO Auto-generated catch block e.printStackTrace(); } } if(!queueList.isEmpty()){ Object obj=queueList.removeFirst(); System.out.println(this.getName()+"33333333333333333333"); } } } } } public static void main(String[] args){ TestQueue test=new TestQueue(10); for(int i=0;i<10;i++){ test.addInfo(new Object()); // try { // Thread.sleep(2000); // } catch (InterruptedException e) { // // TODO Auto-generated catch block // e.printStackTrace(); // } } } }
7032fecdcb74e0130cb1fcdfb6e77bd8c5433631
60d4652dc479b22b79aa6a2898fa34d28b40adf2
/net/minecraft/command/CommandCompare.java
ed94dcca11c4b89343d4586a8e31075c63ad5cc3
[]
no_license
Hexeption/Update-1.9-to-1.10
c4b8d07181065b71cf71a0ff1bd96a19377a889a
a51499263c2e792c87c8f314de9e9163166188a4
refs/heads/master
2021-01-19T04:07:29.768063
2016-12-11T18:25:57
2016-12-11T18:25:57
63,010,852
4
4
null
null
null
null
UTF-8
Java
false
false
7,408
java
package net.minecraft.command; import java.util.Collections; import java.util.List; import javax.annotation.Nullable; import net.minecraft.block.state.IBlockState; import net.minecraft.init.Blocks; import net.minecraft.nbt.NBTTagCompound; import net.minecraft.server.MinecraftServer; import net.minecraft.tileentity.TileEntity; import net.minecraft.util.math.BlockPos; import net.minecraft.world.World; import net.minecraft.world.gen.structure.StructureBoundingBox; public class CommandCompare extends CommandBase { /** * Gets the name of the command */ public String getCommandName() { return "testforblocks"; } /** * Return the required permission level for this command. */ public int getRequiredPermissionLevel() { return 2; } /** * Gets the usage string for the command. */ public String getCommandUsage(ICommandSender sender) { return "commands.compare.usage"; } /** * Callback for when the command is executed */ public void execute(MinecraftServer server, ICommandSender sender, String[] args) throws CommandException { if (args.length < 9) { throw new WrongUsageException("commands.compare.usage", new Object[0]); } else { sender.setCommandStat(CommandResultStats.Type.AFFECTED_BLOCKS, 0); BlockPos blockpos = parseBlockPos(sender, args, 0, false); BlockPos blockpos1 = parseBlockPos(sender, args, 3, false); BlockPos blockpos2 = parseBlockPos(sender, args, 6, false); StructureBoundingBox structureboundingbox = new StructureBoundingBox(blockpos, blockpos1); StructureBoundingBox structureboundingbox1 = new StructureBoundingBox(blockpos2, blockpos2.add(structureboundingbox.getLength())); int i = structureboundingbox.getXSize() * structureboundingbox.getYSize() * structureboundingbox.getZSize(); if (i > 524288) { throw new CommandException("commands.compare.tooManyBlocks", new Object[] {Integer.valueOf(i), Integer.valueOf(524288)}); } else if (structureboundingbox.minY >= 0 && structureboundingbox.maxY < 256 && structureboundingbox1.minY >= 0 && structureboundingbox1.maxY < 256) { World world = sender.getEntityWorld(); if (world.isAreaLoaded(structureboundingbox) && world.isAreaLoaded(structureboundingbox1)) { boolean flag = false; if (args.length > 9 && "masked".equals(args[9])) { flag = true; } i = 0; BlockPos blockpos3 = new BlockPos(structureboundingbox1.minX - structureboundingbox.minX, structureboundingbox1.minY - structureboundingbox.minY, structureboundingbox1.minZ - structureboundingbox.minZ); BlockPos.MutableBlockPos blockpos$mutableblockpos = new BlockPos.MutableBlockPos(); BlockPos.MutableBlockPos blockpos$mutableblockpos1 = new BlockPos.MutableBlockPos(); for (int j = structureboundingbox.minZ; j <= structureboundingbox.maxZ; ++j) { for (int k = structureboundingbox.minY; k <= structureboundingbox.maxY; ++k) { for (int l = structureboundingbox.minX; l <= structureboundingbox.maxX; ++l) { blockpos$mutableblockpos.setPos(l, k, j); blockpos$mutableblockpos1.setPos(l + blockpos3.getX(), k + blockpos3.getY(), j + blockpos3.getZ()); boolean flag1 = false; IBlockState iblockstate = world.getBlockState(blockpos$mutableblockpos); if (!flag || iblockstate.getBlock() != Blocks.AIR) { if (iblockstate == world.getBlockState(blockpos$mutableblockpos1)) { TileEntity tileentity = world.getTileEntity(blockpos$mutableblockpos); TileEntity tileentity1 = world.getTileEntity(blockpos$mutableblockpos1); if (tileentity != null && tileentity1 != null) { NBTTagCompound nbttagcompound = tileentity.writeToNBT(new NBTTagCompound()); nbttagcompound.removeTag("x"); nbttagcompound.removeTag("y"); nbttagcompound.removeTag("z"); NBTTagCompound nbttagcompound1 = tileentity1.writeToNBT(new NBTTagCompound()); nbttagcompound1.removeTag("x"); nbttagcompound1.removeTag("y"); nbttagcompound1.removeTag("z"); if (!nbttagcompound.equals(nbttagcompound1)) { flag1 = true; } } else if (tileentity != null) { flag1 = true; } } else { flag1 = true; } ++i; if (flag1) { throw new CommandException("commands.compare.failed", new Object[0]); } } } } } sender.setCommandStat(CommandResultStats.Type.AFFECTED_BLOCKS, i); notifyCommandListener(sender, this, "commands.compare.success", new Object[] {Integer.valueOf(i)}); } else { throw new CommandException("commands.compare.outOfWorld", new Object[0]); } } else { throw new CommandException("commands.compare.outOfWorld", new Object[0]); } } } public List<String> getTabCompletionOptions(MinecraftServer server, ICommandSender sender, String[] args, @Nullable BlockPos pos) { return args.length > 0 && args.length <= 3 ? getTabCompletionCoordinate(args, 0, pos) : (args.length > 3 && args.length <= 6 ? getTabCompletionCoordinate(args, 3, pos) : (args.length > 6 && args.length <= 9 ? getTabCompletionCoordinate(args, 6, pos) : (args.length == 10 ? getListOfStringsMatchingLastWord(args, new String[] {"masked", "all"}): Collections.<String>emptyList()))); } }
5bb9ab9dc48217d0cb66ebb01d5268480703e94a
a7004b0c74f6fca8b47470d7ec2fe5e10cbce04e
/finalproject/Finalproject.java
2942c15865d92d506e209dfbb96a79af6a1c9b5e
[ "MIT" ]
permissive
jonathanyxchen/CS11a-Programs
e6d6bccb721de03103a9111f9093e6aaacb11906
7b5045e278aad4137dada932931d8deec355951c
refs/heads/master
2020-03-07T00:41:25.115818
2018-09-18T22:54:32
2018-09-18T22:54:32
127,163,609
0
0
null
null
null
null
UTF-8
Java
false
false
4,833
java
import java.util.*; import java.io.*; public class Finalproject{ public static void main (String[] args) throws FileNotFoundException{ String[] x=new String[20000]; createdata(x); drawframe(); guessingprocess(x); System.out.println("Thanks for playing, have a wonderful day!"); } public static void drawframe(){ System.out.println(" +--+\n | |\n |\n |\n |\n---+---"); } public static void createdata(String[] x) throws FileNotFoundException{ File data = new File("datasource.txt"); Scanner reader =new Scanner(data); int z=0; while(reader.hasNextLine()) { x[z]=reader.nextLine(); z++; } } public static String createword(String[] x){ int value = (int)(Math.random()*30000); while (value > 19785){ value = (int)(Math.random()*30000); } return x[value]; } public static void guessingprocess(String[] x){ boolean done = false; while (!done){ String theword = createword(x); System.out.println("Let's play the game!"); int lengths = theword.length(); System.out.println("I have generated a word that has " + lengths + " letters."); System.out.println("You have six chances to get it wrong!"); int chance = 1; int left = 6; String[] store = new String[lengths]; String[] answer = new String[lengths]; for (int y = 0; y < lengths; y++){ answer[y] = " "; } checking(left, lengths, chance, store, answer, theword); System.out.println("Do you want to play again?"); Scanner user = new Scanner(System.in); String again; again = user.nextLine(); done = again.equals("no"); } } public static void checking(int left, int lengths, int chance, String[] store, String[] answer, String theword){ int counts = 0; List<String> his = new ArrayList<String>(); loop:while (left != 0){ int records = 0; String response = intro(left, chance); for (int digit = 0; digit < lengths; digit++){ if (response.equals(theword.substring(digit,digit+1))){ counts++; records++; answer[digit] = response; } } if (records != 0){ System.out.println("right guess! continue"); }else { left = wrongguess(left); } chance++; left = results(counts, left, answer, theword); history(response,his); if (left == 8){ break loop; } } } public static String intro (int left, int chance){ System.out.println("Please enter the letter in lowercase. You have " + left +" chances left."); System.out.printf(generateResponse()+"%n"); Scanner yourguess = new Scanner(System.in); String response = yourguess.nextLine(); return response; } public static String generateResponse(){ int k; k=(int)(Math.random()*5); String[] abc = new String[5]; abc[0]="What's your guess?"; abc[1]="Tell us one letter"; abc[2]="What's the letter in your mind?"; abc[3]="Type in a correct letter, or the little man will die!"; abc[4]="Any new letter may work here!"; return abc[k]; } public static void history (String response, List<String> his){ his.add(response); System.out.print("You have already guessed: "); for (int x = 0; x < his.size(); x++){ System.out.print(his.get(x)+ ", "); } System.out.println(" "); } public static int results (int counts, int left, String[] answer, String theword){ if (counts == theword.length()){ System.out.println(Arrays.asList(answer)); System.out.println("Congradulations, you get the word and save a life!"); left = 8; } System.out.println(Arrays.asList(answer)); if (left == 0){ System.out.println("Sorry you lose the game. Good luck next time!"); System.out.println("The word is: " + theword); } return left; } public static int wrongguess(int left){ if (left == 6){ System.out.println(" +--+\n | |\n | O\n |\n |\n |\n---+---"); }else if (left == 5){ System.out.println(" +--+\n | |\n | O\n | |\n |\n |\n---+---"); }else if (left == 4){ System.out.println(" +--+\n | |\n | O\n | /|\n |\n |\n---+---"); }else if (left == 3){ System.out.println(" +--+\n | |\n | O\n | /|\\\n |\n |\n---+---"); }else if (left == 2){ System.out.println(" +--+\n | |\n | O\n | /|\\\n | / \n |\n---+---"); }else if (left == 1){ System.out.println(" +--+\n | |\n | O\n | /|\\\n | / \\\n |\n---+---"); } left--; System.out.println("Wrong guess !!!"); return left; } }
1416427cd078eb1551947d558515753216a812cc
9df8b38e5157c388e84948eb6fbb40829e0e9dab
/src/main/java/one/digitalinnovation/experts/productcatalog/repository/ProductRepository.java
55bdc554b968dfddb555111e9886d45f090574fe
[]
no_license
emerson-diego/product-catalog
72037200f8a51cc362cd013dd20d840fee80e22f
c5da6621a154664ac5d3e272c3270c250f8cf121
refs/heads/main
2023-06-20T10:41:05.380092
2021-07-21T11:18:58
2021-07-21T11:18:58
388,092,250
0
0
null
null
null
null
UTF-8
Java
false
false
276
java
package one.digitalinnovation.experts.productcatalog.repository; import org.springframework.data.repository.CrudRepository; import one.digitalinnovation.experts.productcatalog.model.Product; public interface ProductRepository extends CrudRepository<Product, Integer> { }
0f5e13a365a0d595550db703eeb0f65d5b8055da
bb23450595914936d04ed43ec7e051a0da60d0db
/jsp03_MVC01/src/com/mvc/dto/MVCBoardDto.java
708d4f76a59fbd6162ac6cf38fc2870e40baf653
[]
no_license
SuperCat1121/WorkSpace_Web
ed9cb5037cd082e594cdde3ae0cc2191f237a802
6bfa0e2687fb954cc0bc86b34666d49a88dcf232
refs/heads/master
2020-06-18T16:04:22.457139
2019-07-11T09:07:25
2019-07-11T09:07:25
196,168,086
0
0
null
null
null
null
UTF-8
Java
false
false
1,381
java
package com.mvc.dto; import java.util.Date; public class MVCBoardDto { private int seq; private String writer; private String title; private String content; private Date regdate; public MVCBoardDto() {} public MVCBoardDto(int seq, String writer, String title, String content, Date regdate) { super(); this.seq = seq; this.writer = writer; this.title = title; this.content = content; this.regdate = regdate; } // insert public MVCBoardDto(String writer, String title, String content) { super(); this.writer = writer; this.title = title; this.content = content; } // update public MVCBoardDto(int seq, String title, String content) { super(); this.seq = seq; this.title = title; this.content = content; } public int getSeq() { return seq; } public void setSeq(int seq) { this.seq = seq; } public String getWriter() { return writer; } public void setWriter(String writer) { this.writer = writer; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getContent() { return content; } public void setContent(String content) { this.content = content; } public Date getRegdate() { return regdate; } public void setRegdate(Date regdate) { this.regdate = regdate; } }
46978df6dfec493f6723983363bea55b88876a7f
bfa43937a1c2e9fc34a07a014e990ef7f4bd711d
/src/CRUD/FrmCuentasBancos.java
32296ed21aeda1fdaf1dbf76f428d1297143689d
[]
no_license
numbasan-san/CRUD-con-base-de-datos
8c37efa8f0e71d0951c56ec53a99151c8a05f752
64cbba54737997aaf0a970e167cc4a9989b3b78b
refs/heads/main
2023-04-18T13:59:36.620951
2021-04-20T18:58:29
2021-04-20T18:58:29
359,920,156
0
0
null
null
null
null
UTF-8
Java
false
false
4,837
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package CRUD; /** * * @author LENOVO */ public class FrmCuentasBancos extends javax.swing.JInternalFrame { /** * Creates new form FrmCuentasBancos */ public FrmCuentasBancos() { initComponents(); } /** * This method is called from within the constructor to initialize the form. * WARNING: Do NOT modify this code. The content of this method is always * regenerated by the Form Editor. */ @SuppressWarnings("unchecked") // <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents private void initComponents() { jLabel1 = new javax.swing.JLabel(); jScrollPane1 = new javax.swing.JScrollPane(); jTextArea1 = new javax.swing.JTextArea(); BTN_Salir = new javax.swing.JButton(); setClosable(true); setIconifiable(true); setMaximizable(true); jLabel1.setFont(new java.awt.Font("Times New Roman", 1, 30)); // NOI18N jLabel1.setText("Manual"); jTextArea1.setColumns(20); jTextArea1.setRows(5); jTextArea1.setText("Registrar:\n\tPara ingresar nuevos datos debe rellanar los campos que hay\nla pantalla principal con los datos que le sean pedidos, luego pulsar el botón\nRegistrar.\n\nModificar:\n\tPara alterar datos ya ingresados solo tiene que ingresar lel codigo\nde la cuenta y luego ingresar los datos que quiera alterar en sus\ncampos correspondientes (en caso de que no se quieran alterar datos solo se \ningresa el dato tal cual es), luego pulsa el botón Modificar.\n\nEliminar:\n\tPara eliminar datos ingresados solo debe ingresar el codigo de la \ncuenta y luego pulsar el botón Eliminar.\n\nMostrar:\n\tPara mostrar en pantalla todos los datos ingresados\npreviamente solo debe pulsar el botón Mostrar.\n\nTransferecia:\n\tPara realizar una transferencia solo se debe pulsar el boton que le\ncorresponde o acceder al area correspondiente por medio del atajo, una vez hecho\nesto solo debe ingresar el codigo de la cuenta de la cual se retira el dinero y el\notro codigo de cuenta que recive el mismo, luego se ingresa el monto y se pulsa\nel boton Transferir."); jScrollPane1.setViewportView(jTextArea1); BTN_Salir.setText("Salir"); BTN_Salir.addActionListener(new java.awt.event.ActionListener() { public void actionPerformed(java.awt.event.ActionEvent evt) { BTN_SalirActionPerformed(evt); } }); javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane()); getContentPane().setLayout(layout); layout.setHorizontalGroup( layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGroup(layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGap(272, 272, 272) .addComponent(BTN_Salir)) .addGroup(layout.createSequentialGroup() .addGap(239, 239, 239) .addComponent(jLabel1)) .addGroup(layout.createSequentialGroup() .addGap(62, 62, 62) .addComponent(jScrollPane1, javax.swing.GroupLayout.PREFERRED_SIZE, 480, javax.swing.GroupLayout.PREFERRED_SIZE))) .addContainerGap(73, Short.MAX_VALUE)) ); layout.setVerticalGroup( layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGap(36, 36, 36) .addComponent(jLabel1) .addGap(18, 18, 18) .addComponent(jScrollPane1, javax.swing.GroupLayout.PREFERRED_SIZE, 441, javax.swing.GroupLayout.PREFERRED_SIZE) .addGap(18, 18, 18) .addComponent(BTN_Salir) .addContainerGap(30, Short.MAX_VALUE)) ); pack(); }// </editor-fold>//GEN-END:initComponents private void BTN_SalirActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_BTN_SalirActionPerformed // TODO add your handling code here: dispose (); }//GEN-LAST:event_BTN_SalirActionPerformed // Variables declaration - do not modify//GEN-BEGIN:variables private javax.swing.JButton BTN_Salir; private javax.swing.JLabel jLabel1; private javax.swing.JScrollPane jScrollPane1; private javax.swing.JTextArea jTextArea1; // End of variables declaration//GEN-END:variables }
479c4c42dc8fe84ab72ce1fb94f60270f19fa8ba
c084602e6320da307b26d861bc21a142c90d9ec7
/app/src/main/java/com/keval/rxandroid/views/DetailActivity.java
552db2cdd59bfa0d390463e1a059be417df0dcc6
[]
no_license
kevalone/Rxandroid-trial
071c651de34a312440dfe4fd8c4eacdc29d1657d
b915e015fcc7d27acd020149c55e6765d4f6d10d
refs/heads/master
2021-05-30T03:25:34.572124
2015-11-26T17:35:41
2015-11-26T17:35:41
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,460
java
package com.keval.rxandroid.views; import android.os.Bundle; import android.support.v7.app.AppCompatActivity; import android.view.Menu; import android.view.MenuItem; import android.widget.ListView; import android.widget.TextView; import com.keval.rxandroid.R; import com.keval.rxandroid.adapters.CommentsAdapter; import com.keval.rxandroid.models.Comment; import com.keval.rxandroid.models.Post; import com.keval.rxandroid.presenters.DetailPresenter; import com.keval.rxandroid.services.ForumService; import java.util.ArrayList; import java.util.List; import butterknife.ButterKnife; import butterknife.InjectView; public class DetailActivity extends AppCompatActivity { @InjectView(R.id.textViewTitle) TextView mTextViewTitle; @InjectView(R.id.textViewBody) TextView mTextViewBody; @InjectView(R.id.listViewComments) ListView mListViewComments; CommentsAdapter mCommentsAdapter; DetailPresenter mDetailPresenter; ForumService mForumService; protected int mPostId; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_detail_2); ButterKnife.inject(this); mPostId = getIntent().getIntExtra("postId",0); ArrayList<Comment> dummyComments = new ArrayList<Comment>(); mCommentsAdapter = new CommentsAdapter(this, dummyComments); mListViewComments.setAdapter(mCommentsAdapter); mForumService = new ForumService(); mDetailPresenter = new DetailPresenter(this, mForumService); mDetailPresenter.loadComments(); mDetailPresenter.loadPost(); } public int getPostId() { return mPostId; } public void displayComments(List<Comment> comments) { mCommentsAdapter.clear(); mCommentsAdapter.addAll(comments); mCommentsAdapter.notifyDataSetInvalidated(); } public void displayPost(Post post) { mTextViewTitle.setText(post.title); mTextViewBody.setText(post.body); } @Override public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.menu_list, menu); return true; } @Override public boolean onOptionsItemSelected(MenuItem item) { int id = item.getItemId(); if (id == R.id.action_settings) { return true; } return super.onOptionsItemSelected(item); } }
4217352bd86d96730fdfc8c07983bcc6a9428715
1e11467484cd5665c7a4626fd16cb95b23b43e33
/java/Algorithm/misc/MaxSliceSum.java
45e23e066e2913b4d80e1d6f1068771e931e2e96
[]
no_license
saberAlex/LearningBasic
6b7e183905d8210f7f29c4e4d3727f709468ba16
3765589ea2bd1112f17cbce4698ae798e09c5ac4
refs/heads/master
2020-12-26T02:32:53.148320
2015-09-15T08:30:52
2015-09-15T08:30:52
37,142,471
0
0
null
null
null
null
UTF-8
Java
false
false
2,998
java
import java.util.ArrayList; import java.util.Arrays; /** * This class contains the method finding the maximum * sum of the sub array. The implementation of this * algorithm is based on Dynamic programming technique. * Remember, the DP principle is solving the smaller problem first, * find the optimal solution gradually until the whole problem * is solve. * Assume we has this following array: * 4,-6,3,5,-2,4,-1 * We create some variables to keep track the value of the sum to the ending (maxEnding). * and the overall maximum slice (maxSlice), * We iterate the element from 0 to the array.length * in each iteration (i) we update both maxEnding and maxSlice value: * nb:if the sum is less than 0 we neglect the current slice and set maxEnding to 0 * maxEnding = max(maxEnding + array[i], 0); * maxSlice = max(maxEnding, maxSlice); * * * @author luca * @version 1.1 * */ public class MaxSliceSum { public static void main(String [] args) { int [] elements = {4,-6,3,5,-2,4,-1}; System.out.println(Arrays.toString(maxSlice(elements).toArray())); } public static ArrayList<Integer> maxSlice(int[] elements) { int maxEnding = 0; int maxSlice = 0; int idx = -1; for(int i = 0; i < elements.length; i++) { //if maxEnding is less than 0, we consider to start over. maxEnding = Math.max(maxEnding + elements[i], 0); if(maxSlice < maxEnding) { maxSlice = maxEnding; //idx is updated with the last element which produce the maxSlice //this idx is used for tracing back. idx = i; } }//eofi if(idx == -1) return null; ArrayList<Integer> result = new ArrayList<Integer>(); //retrace to find the element which make up the maximumSlice: for(int i = idx; i >=0; i--) { maxSlice -= elements[i]; //add the number to the first element of the array. result.add(0,elements[i]); if(maxSlice == 0) { break; } } return result; } //This is a method to find an element in the array whose sum is k //This is used for the array which contain no negative element. public static ArrayList<Integer> findSeq(int [] elements, int k) { int sumElement = 0; int startElement = 0; for(int i = 0; i < elements.length; i++) { if(sumElement == k) break; sumElement+= elements[i]; if(sumElement < k) continue; while(sumElement > k) { sumElement -= elements[startElement]; startElement++; if(sumElement == k) break; } } int sumArray = 0; ArrayList<Integer> result = new ArrayList<Integer>(); while(startElement < elements.length) { sumArray += elements[startElement]; startElement++; result.add(elements[startElement-1]); if(sumArray == k) break; } if(sumArray == k) { return result; } else { return null; } } }
bfcde26a501824d94264cc67b4bd202e9314a429
20a229c0c05b932ae004bae5d68c74fe589de0a8
/ClockHands.java
cf838b99f866cd8f2ec1cb89a7873e0c98821cd8
[]
no_license
xinwangus/JavaExercise
274237b3d341c987cf6a3f6cc1b3d441721a9261
61f1644db26b564fe6073071efe056563fa22eae
refs/heads/master
2023-03-16T12:55:53.784815
2021-02-28T19:53:16
2021-02-28T19:53:16
109,320,210
0
0
null
null
null
null
UTF-8
Java
false
false
1,150
java
/* ClockHands.java * * Given a time, calculate the angle * between two hands (Hour and Minute) in * an analog clock. */ public class ClockHands { public static void main(String[] args) { int a = getAngle(3, 40); if (a >= 0) { System.out.println("Angle at 3:40 is: " + a); } } // no unsigned keyward in Java // no const in Java // Java method arguments pass by value public static int getAngle(int hour, int min) { if ((hour < 0) || (min < 0)) { return -1; } if ((hour >= 24) || (min >= 60)) { return -1; } // convert to 12 hour format. int h = hour % 12; // Minute hand moves 360/60 degrees every min int min_hand_angle = (min*6); // Hour hand moves 360/12 = 30 degrees every hour // plus the minute portion (min/60)*30. int hour_hand_angle = (h*30) + (int)(min/2); /* could be off by .5 */ int angle = (min_hand_angle >= hour_hand_angle) ? (min_hand_angle - hour_hand_angle) : (hour_hand_angle - min_hand_angle); // only return the smaller angle if (angle > 180) { angle = (360 - angle); } return angle; } }
ecbf739ebde00f462e3f36e689232738fa32941c
67639ec85b0330d4ae26890a81c110c15007744b
/android/app/src/main/java/com/toxo_react_native/MainApplication.java
7e708e65072de34cd84abff9a9569cd40f08a1f9
[]
no_license
dagar07/toxo_react_native
025ee3cb581290f67803f1f2b1b9a4953b8e6887
ed19235e0f969168523d85cc72b1486982fc7b93
refs/heads/master
2023-01-08T22:16:07.960929
2019-10-28T18:49:47
2019-10-28T18:49:47
218,120,360
0
0
null
2023-01-04T23:38:00
2019-10-28T18:42:37
JavaScript
UTF-8
Java
false
false
2,284
java
package com.toxo_react_native; import android.app.Application; import android.content.Context; import com.facebook.react.PackageList; import com.facebook.react.ReactApplication; import com.facebook.react.ReactNativeHost; import com.facebook.react.ReactPackage; import com.facebook.soloader.SoLoader; import java.lang.reflect.InvocationTargetException; import java.util.List; public class MainApplication extends Application implements ReactApplication { private final ReactNativeHost mReactNativeHost = new ReactNativeHost(this) { @Override public boolean getUseDeveloperSupport() { return BuildConfig.DEBUG; } @Override protected List<ReactPackage> getPackages() { @SuppressWarnings("UnnecessaryLocalVariable") List<ReactPackage> packages = new PackageList(this).getPackages(); // Packages that cannot be autolinked yet can be added manually here, for example: // packages.add(new MyReactNativePackage()); return packages; } @Override protected String getJSMainModuleName() { return "index"; } }; @Override public ReactNativeHost getReactNativeHost() { return mReactNativeHost; } @Override public void onCreate() { super.onCreate(); SoLoader.init(this, /* native exopackage */ false); initializeFlipper(this); // Remove this line if you don't want Flipper enabled } /** * Loads Flipper in React Native templates. * * @param context */ private static void initializeFlipper(Context context) { if (BuildConfig.DEBUG) { try { /* We use reflection here to pick up the class that initializes Flipper, since Flipper library is not available in release mode */ Class<?> aClass = Class.forName("com.facebook.flipper.ReactNativeFlipper"); aClass.getMethod("initializeFlipper", Context.class).invoke(null, context); } catch (ClassNotFoundException e) { e.printStackTrace(); } catch (NoSuchMethodException e) { e.printStackTrace(); } catch (IllegalAccessException e) { e.printStackTrace(); } catch (InvocationTargetException e) { e.printStackTrace(); } } } }
838ae8ddf1f4bd98ba8d9ac59d34fcac9c09f648
9580744bdec20db0c4a9f87a35a93c0fe066c379
/performance-tracking/src/main/java/com/rakuten/tech/mobile/perf/runtime/internal/GeoLocationResult.java
b7d7755191cf5848cc3bd252979a200fcdd8b3c8
[ "MIT" ]
permissive
neofreko/android-perftracking
3f047fe754ec6034c04fdca6d46b96bf2ddb7d2c
278f8b14c2170e692aec35e43475dd183d1d8046
refs/heads/master
2020-03-27T17:17:20.251198
2018-09-10T01:23:36
2018-09-10T05:10:18
146,841,680
0
0
MIT
2018-08-31T04:26:54
2018-08-31T04:26:54
null
UTF-8
Java
false
false
378
java
package com.rakuten.tech.mobile.perf.runtime.internal; class GeoLocationResult { private final String countryName; private final String regionName; GeoLocationResult(String country, String region) { countryName = country; regionName = region; } String getCountryName() { return countryName; } String getRegionName() { return regionName; } }
a6c169703fd086efb03ad372104e660ae6f76a62
adb8255579d956e362e2ee4b8faa3aa8c2883011
/src/main/java/entity/Carousel.java
6d8505eada3a7bb95fce3afb6e5df4b56c01765d
[]
no_license
feixue1232/YZUBookShop-back
6a15e5f23e939d4db402bdbc9f966c58cee7a0f9
b76eebc52e9ba4a060b839a0e5d1ebb8342227ac
refs/heads/master
2020-08-03T11:41:30.204797
2018-03-14T14:34:52
2018-03-14T14:34:52
null
0
0
null
null
null
null
UTF-8
Java
false
false
937
java
package entity; /** * Created by xmfy on 2018/1/4. */ public class Carousel { private Integer id; private String title; private String path; public Carousel() { } public Carousel(Integer id, String title, String path) { this.id = id; this.title = title; this.path = path; } public int getId() { return id; } public void setId(Integer id) { this.id = id; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getPath() { return path; } public void setPath(String path) { this.path = path; } @Override public String toString() { return "Carousel{" + "id=" + id + ", title='" + title + '\'' + ", path='" + path + '\'' + '}'; } }
a95debf24da99316ddd55c9a6f0fcab4ab2e5237
ed33eef817f340d0f02c8d22cb34f6a72c6682a6
/ProjectBloodDonar/BloodDonor/app/src/test/java/com/example/blooddonor/ExampleUnitTest.java
b7c6ca7a5a5884c5e25300ea2c0dfc8ea3a3372a
[]
no_license
navin106/20186106_MobileProgramming
b4f2c3cf2082e2ce43f22087ed3134e12740991f
a898cb64c79b5d2582743d3644ce887cece21451
refs/heads/master
2020-04-28T08:49:47.513362
2019-03-28T09:49:36
2019-03-28T09:49:36
175,143,668
0
0
null
null
null
null
UTF-8
Java
false
false
399
java
package com.example.blooddonor; import org.junit.Test; import static org.junit.Assert.*; /** * Example local unit test, which will execute on the development machine (host). * * @see <a href="http://d.android.com/tools/testing">Testing documentation</a> */ public class ExampleUnitTest { @Test public void addition_isCorrect() { assertEquals(4, 2 + 2); } }
184d0b4d70abb4ec8e4e13efdb10ba1ae7faea52
5031397a32364da531a18bd16e721c8f0bb7fb1e
/src/two/Echo.java
57f354c99cd61be7a57516d637b32bd9e3d1bb02
[]
no_license
podorvanova/java-study
b65cc063e016ee7fa5de53f414aea2269832336f
9b3a6e937a699f533c2169aa1d8082fdad73e891
refs/heads/master
2020-05-15T00:21:35.900342
2019-04-18T03:35:36
2019-04-18T03:35:36
182,010,718
0
0
null
null
null
null
UTF-8
Java
false
false
135
java
package two; public class Echo { int count = 0; void hello() { System.out.println("привееееет..."); } }
a8b2bbde98ec77481c7adb27dd0af8b81fd0438c
ddbb633f09162ac12c41e508b5f71818df924429
/src/main/java/com/noser/demo/repo/jpa/CustomerRepository.java
d0f1c4f068c13ffec46c548b439751d3778cfcbf
[]
no_license
boris-ruch/edays-2018-spring
9d59f0a9dabe95dba5e7eae1fb049288bbc4178e
53f4b76bbea0bd5f3d6f076c442c51f717f81f67
refs/heads/master
2021-09-14T13:20:24.425688
2018-05-14T08:27:53
2018-05-14T08:27:53
null
0
0
null
null
null
null
UTF-8
Java
false
false
395
java
package com.noser.demo.repo.jpa; import com.noser.demo.model.jpa.Customer; import org.springframework.data.jpa.repository.JpaRepository; import java.time.LocalDate; import java.util.List; public interface CustomerRepository extends JpaRepository<Customer, Long> { //TODO GET Customers with Birthdate before XY, order by name //TODO GET all Customers order by name, firstname }
2aa32703b626da06b0d8371b538bb6e1e2cded18
0351eb390c5cf639fb448d7f088c1c275e246d90
/app/src/main/java/com/aa183/lux/EditorActivity.java
5fb2eba2720276cb4be1952e023887d86630f66f
[]
no_license
anastasyaputri15/UAS_1800030769_1
04bd87347868b26fdaeb49b67ed9f64a13313cd2
645f908cd8dcd27e0ec316d7df3b8a33f120c208
refs/heads/master
2022-08-05T08:04:35.533629
2020-05-27T15:40:28
2020-05-27T15:40:28
267,359,417
0
0
null
null
null
null
UTF-8
Java
false
false
17,712
java
package com.aa183.lux; import android.app.AlertDialog; import android.app.DatePickerDialog; import android.app.ProgressDialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.graphics.Bitmap; import android.net.Uri; import android.os.Bundle; import android.provider.MediaStore; import android.support.design.widget.FloatingActionButton; import android.support.v7.app.ActionBar; import android.support.v7.app.AppCompatActivity; import android.text.TextUtils; import android.util.Base64; import android.util.Log; import android.view.Menu; import android.view.MenuInflater; import android.view.MenuItem; import android.view.View; import android.view.inputmethod.InputMethodManager; import android.widget.AdapterView; import android.widget.ArrayAdapter; import android.widget.DatePicker; import android.widget.EditText; import android.widget.Spinner; import android.widget.Toast; import com.bumptech.glide.Glide; import com.bumptech.glide.load.engine.DiskCacheStrategy; import com.bumptech.glide.request.RequestOptions; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Locale; import de.hdodenhof.circleimageview.CircleImageView; import retrofit2.Call; import retrofit2.Callback; import retrofit2.Response; public class EditorActivity extends AppCompatActivity { private Spinner mStatusSpinner; private EditText mName, mHarga, mJumlah, mTanggal; private CircleImageView mPicture; private FloatingActionButton mFabChoosePic; Calendar myCalendar = Calendar.getInstance(); private int mStatus = 0; public static final int STATUS_UNKNOWN = 0; public static final int STATUS_TERSEDIA = 1; public static final int STATUS_HABIS = 2; private String name, harga, jumlah, picture, tanggal; private int id, status; private Menu action; private Bitmap bitmap; private ApiInterface apiInterface; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_editor); ActionBar actionBar = getSupportActionBar(); if (actionBar != null) { actionBar.setDisplayHomeAsUpEnabled(true); } mName = findViewById(R.id.name); mHarga = findViewById(R.id.harga); mJumlah = findViewById(R.id.jumlah); mTanggal = findViewById(R.id.tanggal); mPicture = findViewById(R.id.picture); mFabChoosePic = findViewById(R.id.fabChoosePic); mStatusSpinner = findViewById(R.id.status); mTanggal = findViewById(R.id.tanggal); mTanggal.setFocusableInTouchMode(false); mTanggal.setFocusable(false); mTanggal.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { new DatePickerDialog(EditorActivity.this, date, myCalendar .get(Calendar.YEAR), myCalendar.get(Calendar.MONTH), myCalendar.get(Calendar.DAY_OF_MONTH)).show(); } }); mFabChoosePic.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { chooseFile(); } }); setupSpinner(); Intent intent = getIntent(); id = intent.getIntExtra("id", 0); name = intent.getStringExtra("name"); harga = intent.getStringExtra("harga"); jumlah = intent.getStringExtra("jumlah"); tanggal = intent.getStringExtra("tanggal"); picture = intent.getStringExtra("picture"); status = intent.getIntExtra("status", 0); setDataFromIntentExtra(); } private void setDataFromIntentExtra() { if (id != 0) { readMode(); getSupportActionBar().setTitle("Edit " + name.toString()); mName.setText(name); mHarga.setText(harga); mJumlah.setText(jumlah); mTanggal.setText(tanggal); RequestOptions requestOptions = new RequestOptions(); requestOptions.skipMemoryCache(true); requestOptions.diskCacheStrategy(DiskCacheStrategy.NONE); requestOptions.placeholder(R.drawable.logo); requestOptions.error(R.drawable.logo); Glide.with(EditorActivity.this) .load(picture) .apply(requestOptions) .into(mPicture); switch (status) { case STATUS_TERSEDIA: mStatusSpinner.setSelection(1); break; case STATUS_HABIS: mStatusSpinner.setSelection(2); break; default: mStatusSpinner.setSelection(0); break; } } else { getSupportActionBar().setTitle("Tambahkan data barang"); } } private void setupSpinner(){ ArrayAdapter statusSpinnerAdapter = ArrayAdapter.createFromResource(this, R.array.array_status_options, android.R.layout.simple_spinner_item); statusSpinnerAdapter.setDropDownViewResource(android.R.layout.simple_dropdown_item_1line); mStatusSpinner.setAdapter(statusSpinnerAdapter); mStatusSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() { @Override public void onItemSelected(AdapterView<?> parent, View view, int position, long id) { String selection = (String) parent.getItemAtPosition(position); if (!TextUtils.isEmpty(selection)) { if (selection.equals(getString(R.string.status_tersedia))) { mStatus = STATUS_TERSEDIA; } else if (selection.equals(getString(R.string.status_habis))) { mStatus = STATUS_HABIS; } else { mStatus = STATUS_UNKNOWN; } } } @Override public void onNothingSelected(AdapterView<?> parent) { mStatus = 0; } }); } @Override public boolean onCreateOptionsMenu(Menu menu) { MenuInflater inflater = getMenuInflater(); inflater.inflate(R.menu.menu_editor, menu); action = menu; action.findItem(R.id.menu_save).setVisible(false); if (id == 0){ action.findItem(R.id.menu_edit).setVisible(false); action.findItem(R.id.menu_delete).setVisible(false); action.findItem(R.id.menu_save).setVisible(true); } return true; } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case android.R.id.home: this.finish(); return true; case R.id.menu_edit: //Edit editMode(); InputMethodManager imm = (InputMethodManager) getSystemService(Context.INPUT_METHOD_SERVICE); imm.showSoftInput(mName, InputMethodManager.SHOW_IMPLICIT); action.findItem(R.id.menu_edit).setVisible(false); action.findItem(R.id.menu_delete).setVisible(false); action.findItem(R.id.menu_save).setVisible(true); return true; case R.id.menu_save: //Save if (id == 0) { if (TextUtils.isEmpty(mName.getText().toString()) || TextUtils.isEmpty(mHarga.getText().toString()) || TextUtils.isEmpty(mJumlah.getText().toString()) || TextUtils.isEmpty(mTanggal.getText().toString()) ){ AlertDialog.Builder alertDialog = new AlertDialog.Builder(this); alertDialog.setMessage("Please complete the field!"); alertDialog.setPositiveButton("Ok", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); } }); alertDialog.show(); } else { postData("insert"); action.findItem(R.id.menu_edit).setVisible(true); action.findItem(R.id.menu_save).setVisible(false); action.findItem(R.id.menu_delete).setVisible(true); readMode(); } } else { updateData("update", id); action.findItem(R.id.menu_edit).setVisible(true); action.findItem(R.id.menu_save).setVisible(false); action.findItem(R.id.menu_delete).setVisible(true); readMode(); } return true; case R.id.menu_delete: AlertDialog.Builder dialog = new AlertDialog.Builder(EditorActivity.this); dialog.setMessage("Delete this pet?"); dialog.setPositiveButton("Yes" ,new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); deleteData("delete", id, picture); } }); dialog.setNegativeButton("Cencel", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); } }); dialog.show(); return true; default: return super.onOptionsItemSelected(item); } } DatePickerDialog.OnDateSetListener date = new DatePickerDialog.OnDateSetListener() { @Override public void onDateSet(DatePicker view, int year, int monthOfYear, int dayOfMonth) { // TODO Auto-generated method stub myCalendar.set(Calendar.YEAR, year); myCalendar.set(Calendar.MONTH, monthOfYear); myCalendar.set(Calendar.DAY_OF_MONTH, dayOfMonth); setTanggal(); } }; private void setTanggal() { String myFormat = "dd MMMM yyyy"; //In which you need put here SimpleDateFormat sdf = new SimpleDateFormat(myFormat, Locale.US); mTanggal.setText(sdf.format(myCalendar.getTime())); } public String getStringImage(Bitmap bmp){ ByteArrayOutputStream baos = new ByteArrayOutputStream(); bmp.compress(Bitmap.CompressFormat.JPEG, 100, baos); byte[] imageBytes = baos.toByteArray(); String encodedImage = Base64.encodeToString(imageBytes, Base64.DEFAULT); return encodedImage; } private void chooseFile() { Intent intent = new Intent(); intent.setType("image/*"); intent.setAction(Intent.ACTION_GET_CONTENT); startActivityForResult(Intent.createChooser(intent, "Select Picture"), 1); } @Override protected void onActivityResult(int requestCode, int resultCode, Intent data) { super.onActivityResult(requestCode, resultCode, data); if (requestCode == 1 && resultCode == RESULT_OK && data != null && data.getData() != null) { Uri filePath = data.getData(); try { bitmap = MediaStore.Images.Media.getBitmap(getContentResolver(), filePath); mPicture.setImageBitmap(bitmap); } catch (IOException e) { e.printStackTrace(); } } } private void postData(final String key) { final ProgressDialog progressDialog = new ProgressDialog(this); progressDialog.setMessage("Saving..."); progressDialog.show(); readMode(); String name = mName.getText().toString().trim(); String harga = mHarga.getText().toString().trim(); String jumlah = mJumlah.getText().toString().trim(); int status = mStatus; String tanggal = mTanggal.getText().toString().trim(); String picture = null; if (bitmap == null) { picture = ""; } else { picture = getStringImage(bitmap); } apiInterface = ApiClient.getApiClient().create(ApiInterface.class); Call<Barang> call = apiInterface.insertBaran(key, name, harga, jumlah, status, tanggal, picture); call.enqueue(new Callback<Barang>() { @Override public void onResponse(Call<Barang> call, Response<Barang> response) { progressDialog.dismiss(); Log.i(EditorActivity.class.getSimpleName(), response.toString()); String value = response.body().getValue(); String message = response.body().getMassage(); if (value.equals("1")){ finish(); } else { Toast.makeText(EditorActivity.this, message, Toast.LENGTH_SHORT).show(); } } @Override public void onFailure(Call<Barang> call, Throwable t) { progressDialog.dismiss(); Toast.makeText(EditorActivity.this, t.getMessage().toString(), Toast.LENGTH_SHORT).show(); } }); } private void updateData(final String key, final int id) { final ProgressDialog progressDialog = new ProgressDialog(this); progressDialog.setMessage("Updating..."); progressDialog.show(); readMode(); String name = mName.getText().toString().trim(); String harga = mHarga.getText().toString().trim(); String jumlah = mJumlah.getText().toString().trim(); int status = mStatus; String tanggal = mTanggal.getText().toString().trim(); String picture = null; if (bitmap == null) { picture = ""; } else { picture = getStringImage(bitmap); } apiInterface = ApiClient.getApiClient().create(ApiInterface.class); Call<Barang> call = apiInterface.updateBaran(key, id,name, harga, jumlah, status, tanggal, picture); call.enqueue(new Callback<Barang>() { @Override public void onResponse(Call<Barang> call, Response<Barang> response) { progressDialog.dismiss(); Log.i(EditorActivity.class.getSimpleName(), response.toString()); String value = response.body().getValue(); String message = response.body().getMassage(); if (value.equals("1")){ Toast.makeText(EditorActivity.this, message, Toast.LENGTH_SHORT).show(); } else { Toast.makeText(EditorActivity.this, message, Toast.LENGTH_SHORT).show(); } } @Override public void onFailure(Call<Barang> call, Throwable t) { progressDialog.dismiss(); Toast.makeText(EditorActivity.this, t.getMessage().toString(), Toast.LENGTH_SHORT).show(); } }); } private void deleteData(final String key, final int id, final String pic) { final ProgressDialog progressDialog = new ProgressDialog(this); progressDialog.setMessage("Deleting..."); progressDialog.show(); readMode(); apiInterface = ApiClient.getApiClient().create(ApiInterface.class); Call<Barang> call = apiInterface.deleteBaran(key, id, pic); call.enqueue(new Callback<Barang>() { @Override public void onResponse(Call<Barang> call, Response<Barang> response) { progressDialog.dismiss(); Log.i(EditorActivity.class.getSimpleName(), response.toString()); String value = response.body().getValue(); String message = response.body().getMassage(); if (value.equals("1")){ Toast.makeText(EditorActivity.this, message, Toast.LENGTH_SHORT).show(); finish(); } else { Toast.makeText(EditorActivity.this, message, Toast.LENGTH_SHORT).show(); } } @Override public void onFailure(Call<Barang> call, Throwable t) { progressDialog.dismiss(); Toast.makeText(EditorActivity.this, t.getMessage().toString(), Toast.LENGTH_SHORT).show(); } }); } void readMode(){ mName.setFocusableInTouchMode(false); mHarga.setFocusableInTouchMode(false); mJumlah.setFocusableInTouchMode(false); mName.setFocusable(false); mHarga.setFocusable(false); mJumlah.setFocusable(false); mStatusSpinner.setEnabled(false); mTanggal.setEnabled(false); mFabChoosePic.setVisibility(View.INVISIBLE); } private void editMode(){ mName.setFocusableInTouchMode(true); mHarga.setFocusableInTouchMode(true); mJumlah.setFocusableInTouchMode(true); mStatusSpinner.setEnabled(true); mTanggal.setEnabled(true); mFabChoosePic.setVisibility(View.VISIBLE); } }
217bcf97b132b78f068302e017746cb30016d806
f02b6158518fe47dbaaf9cddb90945af6bdbe2e7
/src/main/java/ac/cr/una/backend/service/BookServiceImpl.java
318fb65e496cfa2eb55f123904c45e93ee98b864
[]
no_license
YeniferEsqu/examen_2
8246d68d79b9bb3a6626df742ec464d4171300a6
93a9124b118ab3d10768d90618d7a2a33d074976
refs/heads/master
2021-01-23T08:10:36.726746
2017-02-01T23:41:22
2017-02-01T23:41:22
80,532,229
0
0
null
null
null
null
UTF-8
Java
false
false
997
java
package ac.cr.una.backend.service; import ac.cr.una.backend.dao.BookDAO; import ac.cr.una.backend.model.Book; import java.util.ArrayList; import java.util.List; /** * * @author Yeni */ public class BookServiceImpl implements BookService { BookDAO bookDAO; /** * * @param bookDAO */ public BookServiceImpl(BookDAO bookDAO) { this.bookDAO = bookDAO; } @Override public boolean deleteAll() { return bookDAO.deleteAll(); } @Override public Book save(Book authorContact) { return bookDAO.save(authorContact); } @Override public List<Book> findAll() { return bookDAO.findAll(); } @Override public float totalPriceAll() { float price = 0; List<Book> list = new ArrayList<>(); list = bookDAO.findAll(); for(Book book :list){ price += book.getPrice(); } return price; } }
3b3ab2324b8d422d399f764601f9ea0a255902bf
1f82523b189c2a2b5b80c0b9f179f82199e9b1a7
/src/MainFrame.java
7f00c4bdb4a8dc200ed8825ed444867327f35f25
[]
no_license
ambraj/ClassGenerator
d08f6b4579c298d59a35ce0f41516364d22d2d4f
6b9b1f08cdc0f8c4ff035d081c955c649d7f21fa
refs/heads/master
2021-01-01T05:41:50.330385
2013-03-17T06:35:18
2013-03-17T06:35:18
null
0
0
null
null
null
null
UTF-8
Java
false
false
4,187
java
import java.awt.Button; import java.awt.Checkbox; import java.awt.CheckboxGroup; import java.awt.Color; import java.awt.Font; import java.awt.Frame; import java.awt.Graphics; import java.awt.Label; import java.awt.List; import java.awt.TextArea; import java.awt.TextField; import java.awt.event.MouseListener; import java.awt.event.WindowAdapter; import java.awt.event.WindowEvent; import java.io.DataInputStream; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; public class MainFrame extends Frame { TextField objTxt = null; Checkbox [] objChk = null; CheckboxGroup chkGrp = null; TextArea objTArea = null; static List fieldList = null; List mthdList = null; FieldFrame fldFrm = null; public MainFrame() { setLayout(null); setBounds(0, 0, 900, 800); setTitle("Class Generator"); setVisible(true); String [] lblNames = {"Class Name","Fields","Preview","Methods","Modifiers"}; Label [] lblArr = new Label[lblNames.length]; for(int iTmp = 0, xPos = 40, yPos = 50; iTmp < lblNames.length; iTmp++, yPos += 150) { if(iTmp == 2) { yPos -= 150; xPos += 400; } if(iTmp == 3) { xPos -= 400; yPos += 100; } if(iTmp == 4) { //xPos -= 400; yPos -= 470; } lblArr[iTmp] = new Label(lblNames[iTmp]); //lblArr[iTmp].setFont(Font.BOLD); lblArr[iTmp].setBounds(xPos, yPos, 80, 20); add(lblArr[iTmp]); } objTxt = new TextField(); objTxt.setBounds(150, 50, 400, 25); add(objTxt); String [] chkNames = {"public","default"}; Checkbox [] chkArr = new Checkbox[chkNames.length]; chkGrp = new CheckboxGroup(); for(int iTmp = 0, xPos = 150, yPos = 130; iTmp < chkNames.length; iTmp++, xPos += 120) { chkArr[iTmp] = new Checkbox(chkNames[iTmp]); chkArr[iTmp].setBounds(xPos, yPos, 80, 20); chkArr[iTmp].setCheckboxGroup(chkGrp); add(chkArr[iTmp]); } fieldList = new List(); fieldList.setBounds(30, 230, 250, 200); add(fieldList); fieldList.setMultipleMode(true); /*String field = readData(); fieldList.add(field);*/ //fieldList.add("hi"); mthdList = new List(); mthdList.setBounds(30, 500, 250, 200); add(mthdList); mthdList.setMultipleMode(true); objTArea = new TextArea(); objTArea.setBounds(450, 230, 400, 400); add(objTArea); String [] btnNames = {"Add","Remove","Add","Remove"}; Button [] objBtn = new Button[4]; for(int iTmp = 0, xPos = 300, yPos = 270; iTmp < btnNames.length; iTmp++, yPos += 100) { if(iTmp == 2) yPos += 70; objBtn[iTmp] = new Button(btnNames[iTmp]); objBtn[iTmp].setBounds(xPos, yPos, 80, 30); add(objBtn[iTmp]); objBtn[iTmp].addActionListener(new Handler()); } objBtn[0].setActionCommand("add fields"); objBtn[1].setActionCommand("remove fields"); objBtn[2].setActionCommand("add methods"); objBtn[3].setActionCommand("remove methods"); Button genBtn = new Button("Generate Class"); genBtn.setBounds(560, 680, 200, 40); genBtn.setBackground(Color.LIGHT_GRAY); add(genBtn); genBtn.addActionListener(new Handler()); addWindowListener(new WindowAdapter() { @Override public void windowClosing(WindowEvent e) { dispose(); } /*@Override public void windowActivated(WindowEvent e) { String field = readData(); fieldList.add(field); }*/ }); } public void paint(Graphics grp) { /*String field = readData(); fieldList.add(field);*/ } public static String readData() { FileInputStream fis = null; DataInputStream dis = null; try { File objFile = new File("D:\\class generator\\field.txt"); if(!objFile.exists()) { System.out.print("No such file or dir"); return null; } fis = new FileInputStream(objFile); dis = new DataInputStream(fis); String data = dis.readUTF(); System.out.print(data); return data; } catch (FileNotFoundException e) { // TODO Auto-generated catch block e.printStackTrace(); } catch (IOException e) { // TODO Auto-generated catch block e.printStackTrace(); } return null; } }
e2b26964ef9835ec1f2de39d391895313b02417b
c7abd91d77e0edddb646ac06fbd74629bbc0774a
/07-mybatis/src/main/java/com/example/service/SomeService.java
3e17f04d58ca9bdfcb38a6515a4d229b8d7c4713
[]
no_license
ajing2/springBoot
862963a56b17b2c7c22f07b73b409c2a28e2ce52
26e0f26656d2d35c40a47f9e99ec285f95525292
refs/heads/master
2022-07-11T00:30:26.017771
2019-06-16T14:58:20
2019-06-16T14:58:20
191,771,872
0
0
null
2022-06-21T01:16:39
2019-06-13T13:49:15
Java
UTF-8
Java
false
false
338
java
package com.example.service; import com.example.entry.Student; import java.util.List; /** * @ClassName SomeService * @Description TODO * @Author lingxiangxiang * @Date 5:13 PM * @Version 1.0 **/ public interface SomeService { public void addStudent(Student student); public List<Student> queryStudent(Student student); }
2a7525e457cf7bc81c7938229dc17e0152b8e1f0
3b516affb471c62156ebdcf6178aa66991e83a01
/SpringBootSigingExample/src/main/java/com/chandan/ChandancrudnieApplication.java
8097073fd9bb80ce7c28b0e9737fabd25cde5ffe
[]
no_license
rootchandan007/SpringBootApp
968be3bff4b60de96a0f05c29445ffd9336b2c37
d1c1b613ff302a531c31f82f07a1df13807a8ea8
refs/heads/master
2020-03-27T03:07:42.629647
2018-08-24T05:57:33
2018-08-24T05:57:33
145,840,302
0
0
null
null
null
null
UTF-8
Java
false
false
319
java
package com.chandan; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; @SpringBootApplication public class ChandancrudnieApplication { public static void main(String[] args) { SpringApplication.run(ChandancrudnieApplication.class, args); } }
2ed8aa47c3832f45791947132f50116937e25c8c
6b767ad9998a6b11969eb06b22c75ff62068ce85
/compss-rt/rt/src/main/java/integratedtoolkit/util/Cleaner.java
01bf25fa07556e54895012a5053a88b131181879
[]
no_license
GabrielReusRodriguez/COMPSs
0825103942de3bfd6293506e643cda5d009f8701
e427c4106da0a50703896aadadc2227d98883209
refs/heads/master
2020-04-01T06:50:33.646129
2015-01-11T22:40:24
2015-01-11T22:40:24
26,122,723
0
0
null
null
null
null
UTF-8
Java
false
false
8,833
java
/* * Copyright 2002-2014 Barcelona Supercomputing Center (www.bsc.es) * * 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 integratedtoolkit.util; import java.util.List; import org.apache.log4j.Logger; import integratedtoolkit.log.Loggers; import org.gridlab.gat.GAT; import org.gridlab.gat.GATContext; import org.gridlab.gat.URI; import org.gridlab.gat.resources.Job; import org.gridlab.gat.resources.Job.JobState; import org.gridlab.gat.resources.JobDescription; import org.gridlab.gat.resources.ResourceBroker; import org.gridlab.gat.resources.SoftwareDescription; import integratedtoolkit.ITConstants; /** * The cleaner class is an utility to execute the cleaning script on the remote * workers. */ public class Cleaner { /** Constants */ private static final String ANY_PROT = "any://"; private static final String THREAD_POOL_START_ERR = "Error starting pool of threads"; private static final String THREAD_POOL_STOP_ERR = "Error stopping pool of threads"; private static final String CLEAN_JOB_ERR = "Error running clean job"; private static final String POOL_NAME = "Cleaner"; /** Amount of threads that will execute the cleaning scripts */ private static final int POOL_SIZE = 5; /** GAT context */ private GATContext context; /** GAT broker adaptor information */ /** GAT is using Globus */ private boolean usingGlobus; /** GAT needs a userName to connect with the resources */ private boolean userNeeded; /** Amount of host to be clean */ public static int jobCount; /** Logger */ private static final Logger logger = Logger.getLogger(Loggers.FTM_COMP); /** * Constructs a new cleaner and starts the cleaning process. * A new GATContext is created and configured. Two RequestQueues are created: * sdQueue and jobQueue. The former contains the tasks that still have to be * executed and the last keeps the notifications about their runs. With this 2 * queues it constructs a new Cleaner Dispatcher which is in charge of the * remote executions, its threads take job descriptions from the input queue * and leaves the results on the jobQueue. Once the method has added all the job * descriptions, it waits for its response. If the task runs properly or * there is an error during the submission process, it counts that job has * done. If it ended due to another reason, the task is resubmitted. Once * all the scripts have been executed, the pool of threads is destroyed. * There's a timeout of 1 minute. if the task don't end during this time, * the thread pool is destroyed as well. * * * * @param cleanScripts list of locations where to find all the cleaning * scripts that must be executed * @param cleanParams list with the input parameters that each script will * run with */ public Cleaner(List<URI> cleanScripts, List<String> cleanParams) { if (context == null) { context = new GATContext(); String brokerAdaptor = System.getProperty(ITConstants.GAT_BROKER_ADAPTOR), fileAdaptor = System.getProperty(ITConstants.GAT_FILE_ADAPTOR); context.addPreference("ResourceBroker.adaptor.name", brokerAdaptor); context.addPreference("File.adaptor.name", fileAdaptor + ", local"); usingGlobus = brokerAdaptor.equalsIgnoreCase("globus"); userNeeded = brokerAdaptor.regionMatches(true, 0, "ssh", 0, 3); } logger.debug("New clean job, must run clean scripts:"); RequestQueue<SoftwareDescription> sdQueue = new RequestQueue<SoftwareDescription>(); RequestQueue<Job> jobQueue = new RequestQueue<Job>(); ThreadPool pool = new ThreadPool(POOL_SIZE, POOL_NAME, new CleanDispatcher(sdQueue, jobQueue)); try { pool.startThreads(); } catch (Exception e) { logger.error(THREAD_POOL_START_ERR, e); return; } synchronized (jobQueue) { jobCount = cleanScripts.size(); } for (int i = 0; i < cleanScripts.size(); i++) { URI script = cleanScripts.get(i); String cleanParam = cleanParams.get(i); if (script == null) { continue; } logger.debug("Clean call: " + script + " " + cleanParam); try { if (!userNeeded && script.getUserInfo() != null) // Remove user from the URI { script.setUserInfo(null); } String user = script.getUserInfo(); if (user == null) { user = ""; } else { user += "@"; } SoftwareDescription sd = new SoftwareDescription(); sd.addAttribute("uri", ANY_PROT + user + script.getHost()); sd.setExecutable(script.getPath()); sd.setArguments(cleanParam.split(" ")); sd.addAttribute(SoftwareDescription.SANDBOX_ROOT, "/tmp/"); sd.addAttribute(SoftwareDescription.SANDBOX_USEROOT, "true"); sd.addAttribute(SoftwareDescription.SANDBOX_DELETE, "false"); sdQueue.enqueue(sd); } catch (Exception e) { logger.error(CLEAN_JOB_ERR, e); return; } } Long timeout = System.currentTimeMillis() + 60000l; // Poll for completion of the clean jobs while (jobCount > 0 && System.currentTimeMillis() < timeout) { Job job = jobQueue.dequeue(); if (job == null) { synchronized (jobQueue) { jobCount--; } } else if (job.getState() == JobState.STOPPED) { synchronized (jobQueue) { jobCount--; } } else if (job.getState() == JobState.SUBMISSION_ERROR) { logger.error(CLEAN_JOB_ERR + ": " + job); synchronized (jobQueue) { jobCount--; } } else { jobQueue.enqueue(job); try { Thread.sleep(50); } catch (Exception e) { } } } try { pool.stopThreads(); } catch (Exception e) { logger.error(THREAD_POOL_STOP_ERR, e); return; } } /** * The CleanDispatcherClass represents a pool of threads that will run the * cleaning scripts */ class CleanDispatcher extends RequestDispatcher<SoftwareDescription> { /** All the GAT jobs that have already been submitted */ private RequestQueue<Job> jobQueue; /** * Constructs a new CleanDispatcher * @param sdQueue list of the task to be executed * @param jobQueue list where all the already executed tasks will be left */ public CleanDispatcher(RequestQueue<SoftwareDescription> sdQueue, RequestQueue<Job> jobQueue) { super(sdQueue); this.jobQueue = jobQueue; } /** * main function executed by the thread of the pool. They take a job * description from the input queue and try to execute it. If the tasks * ends properly the job is added to the jobqueue; if not, a null job is * added to notify the error. The thread will stop once it dequeues a * null task. */ public void processRequests() { while (true) { SoftwareDescription sd = queue.dequeue(); if (sd == null) { break; } try { URI brokerURI = new URI((String) sd.getObjectAttribute("uri")); ResourceBroker broker = GAT.createResourceBroker(context, brokerURI); Job job = broker.submitJob(new JobDescription(sd)); jobQueue.enqueue(job); } catch (Exception e) { logger.error("Error submitting clean job", e); jobQueue.enqueue((Job) null); } } } } }
d4c165f210f826057365646be2e630ba5b910ce4
8e2b1b20313abd67d43e1da499b4881be6e5dd7a
/src/main/java/app/src/user/UserAnalyzer.java
c5da9a4d48c4c2eee7dfeeac9898e54f6508b1fb
[]
no_license
viilveer/i200-spring-alkokalkulaator
468c029a864cb2c8f263ef79f5ee5800b6ed115b
94fa3e78650b6e60fcb4d2f26f9245de7aa679f3
refs/heads/master
2021-01-10T01:59:59.066077
2016-01-09T09:55:28
2016-01-09T09:55:28
43,613,281
0
0
null
null
null
null
UTF-8
Java
false
false
725
java
package app.src.user; import app.models.User; import java.time.LocalDate; import java.time.format.DateTimeFormatter; import java.time.temporal.ChronoUnit; /** * Created by Mihkel on 08/12/2015. */ public class UserAnalyzer { private User user; public UserAnalyzer (User user) { this.user = user; } public long getAccountAgeInDays() { return ChronoUnit.DAYS.between(getUserCreatedDate(), LocalDate.now()); } public LocalDate getUserCreatedDate() { DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"); return LocalDate.parse(this.user.getCreatedAt(), formatter); } public User getUser(){ return user; } }
ccbeef24635aadf1bb77f9aae02d0cc40fe34350
c102668b2a83c047ad136227f6f6eb2e5c245109
/controlador/ControladorSeleccionarInmuebleAgregar.java
3f155a8b2c813d8b9f1222ae6e34abf85660f6e0
[]
no_license
barasfj21/Proga2POO
11e46d611d7767d5e60945eefda9427e67a7d93a
2adcf44391b6b813b42cc8c39c9ac9f079836e58
refs/heads/main
2023-02-27T12:04:16.042152
2021-01-26T02:50:02
2021-01-26T02:50:02
329,417,490
0
0
null
null
null
null
UTF-8
Java
false
false
2,401
java
package controlador; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import javax.swing.JOptionPane; import vista.RegistrarCasa; import vista.RegistrarCentroComercial; import vista.RegistrarEdificio; import vista.RegistrarLote; import vista.SeleccionarInmuebleAgregar; /** * Controlador para la clase de SeleccionarInmuebleAgregar * * @author AndresGutierrez_AndresBarahona_JosePabloBarrantes * @version 1.0 */ public class ControladorSeleccionarInmuebleAgregar implements ActionListener{ SeleccionarInmuebleAgregar ventana = new SeleccionarInmuebleAgregar(); public ControladorSeleccionarInmuebleAgregar(SeleccionarInmuebleAgregar pVentana){ ventana = pVentana; ventana.btnOk.addActionListener(this); ventana.btnCancelar.addActionListener(this); } @Override public void actionPerformed(ActionEvent e) { if(e.getSource() == ventana.btnOk){ //extrayendo el tipo de inmueble a agregar String tipoAgregar = ventana.ComboBoxTipos.getSelectedItem().toString(); //abriendo la ventana correspondiente al inmueble a agregar if(tipoAgregar == "Casa") { RegistrarCasa ventanaNueva = new RegistrarCasa(); ControladorRegistrarCasa controlador = new ControladorRegistrarCasa(ventanaNueva); ventanaNueva.setVisible(true); }else if(tipoAgregar == "Edificio") { RegistrarEdificio ventanaNueva = new RegistrarEdificio(); ControladorRegistrarEdificio controlador = new ControladorRegistrarEdificio(ventanaNueva); ventanaNueva.setVisible(true); }else if(tipoAgregar == "Centro Comercial"){ RegistrarCentroComercial ventanaNueva = new RegistrarCentroComercial(); ControladorRegistrarCentroComercial controlador = new ControladorRegistrarCentroComercial(ventanaNueva); ventanaNueva.setVisible(true); }else if(tipoAgregar == "Lote") { RegistrarLote ventanaNueva = new RegistrarLote(); ControladorRegistrarLote controlador = new ControladorRegistrarLote(ventanaNueva); ventanaNueva.setVisible(true); }else{ JOptionPane.showMessageDialog(null, "Por favor seleccione un tipo de inmueble"); } } if(e.getSource() == ventana.btnCancelar){ ventana.dispose(); } } }
25ec6869c6a6dc5fe209e468202e158084330610
fa91450deb625cda070e82d5c31770be5ca1dec6
/Diff-Raw-Data/6/6_83de8b7e9de666084d3cae30440655b017d46fd2/ClassInfoActivity/6_83de8b7e9de666084d3cae30440655b017d46fd2_ClassInfoActivity_t.java
b47fd943247acaf91dbf91d035b2c40ad6a5e2bc
[]
no_license
zhongxingyu/Seer
48e7e5197624d7afa94d23f849f8ea2075bcaec0
c11a3109fdfca9be337e509ecb2c085b60076213
refs/heads/master
2023-07-06T12:48:55.516692
2023-06-22T07:55:56
2023-06-22T07:55:56
259,613,157
6
2
null
2023-06-22T07:55:57
2020-04-28T11:07:49
null
UTF-8
Java
false
false
6,675
java
package com.seawolfsanctuary.tmt; import java.io.InputStream; import java.text.NumberFormat; import java.util.ArrayList; import java.util.Iterator; import android.app.ExpandableListActivity; import android.os.Bundle; import android.view.Gravity; import android.view.View; import android.view.ViewGroup; import android.widget.AbsListView; import android.widget.BaseExpandableListAdapter; import android.widget.TextView; import android.widget.Toast; public class ClassInfoActivity extends ExpandableListActivity { /** Called when the activity is first created. */ @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setListAdapter(new ClassInfoAdapter()); registerForContextMenu(getExpandableListView()); } class ClassInfoAdapter extends BaseExpandableListAdapter { ArrayList<String> entries = loadClassInfo(true); ArrayList<String[]> data = parseEntries(entries); ArrayList<String> names = new ArrayList<String>(getNames(data)); private String[] presentedNames = Helpers .arrayListToArray(getNames(data)); private String[][] presentedData = Helpers .multiArrayListToArray(getData(data)); private ArrayList<String> getNames(ArrayList<String[]> data) { ArrayList<String> names = new ArrayList<String>(); for (int i = 0; i < data.size(); i++) { String[] entry = data.get(i); names.add(entry[0]); } return names; } private ArrayList<ArrayList<String>> getData(ArrayList<String[]> entries) { ArrayList<ArrayList<String>> data = new ArrayList<ArrayList<String>>(); for (int i = 0; i < entries.size(); i++) { String[] entry = entries.get(i); ArrayList<String> split = new ArrayList<String>(); if (entry.length < 5) { String[] new_entry = new String[] { entry[0], entry[1], entry[2], entry[3], "", "" }; entry = new_entry; } try { entry[1] = NumberFormat.getIntegerInstance().format( Integer.parseInt(entry[1])) + "mm"; } catch (Exception e) { // meh } if (entry[4].length() < 1) { entry[4] = "still in service"; } split.add("Guage: " + entry[1] + "\nEngine: " + entry[2]); split.add("Built: " + entry[3] + "\nRetired: " + entry[4]); ArrayList<String> operatorList = parseOperators(entry[5]); String operators = ""; for (String operator : operatorList) { operators = operators + operator + ", "; } operators = operators.substring(0, operators.length() - 2); split.add("Operators: " + operators); data.add(split); } return data; } public Object getChild(int groupPosition, int childPosition) { return presentedData[groupPosition][childPosition]; } public long getChildId(int groupPosition, int childPosition) { return childPosition; } public int getChildrenCount(int groupPosition) { return presentedData[groupPosition].length; } public TextView getGenericView() { // Layout parameters for the ExpandableListView AbsListView.LayoutParams lp = new AbsListView.LayoutParams( ViewGroup.LayoutParams.FILL_PARENT, 64); TextView textView = new TextView(ClassInfoActivity.this); textView.setLayoutParams(lp); // Centre the text vertically textView.setGravity(Gravity.CENTER_VERTICAL | Gravity.LEFT); // Set the text starting position textView.setPadding(36, 0, 0, 0); return textView; } public View getChildView(int groupPosition, int childPosition, boolean isLastChild, View convertView, ViewGroup parent) { TextView textView = getGenericView(); textView.setText(getChild(groupPosition, childPosition).toString()); return textView; } public Object getGroup(int groupPosition) { return presentedNames[groupPosition]; } public int getGroupCount() { return presentedNames.length; } public long getGroupId(int groupPosition) { return groupPosition; } public View getGroupView(int groupPosition, boolean isExpanded, View convertView, ViewGroup parent) { TextView textView = getGenericView(); textView.setText(getGroup(groupPosition).toString()); return textView; } public boolean isChildSelectable(int groupPosition, int childPosition) { return true; } public boolean hasStableIds() { return true; } private String[] read_csv(String filename) { String[] array = {}; try { InputStream input; input = getAssets().open(filename); int size = input.available(); byte[] buffer = new byte[size]; input.read(buffer); input.close(); array = new String(buffer).split("\n"); Toast.makeText( getBaseContext(), "Loaded " + array.length + " entr" + (array.length == 1 ? "y" : "ies") + " from data file.", Toast.LENGTH_SHORT) .show(); } catch (Exception e) { String error_msg = "Error reading data file!"; } return array; } private ArrayList<String> loadClassInfo(boolean showToast) { try { ArrayList<String> array = new ArrayList<String>(); String[] classInfo = read_csv("classes.csv"); for (String infoLine : classInfo) { array.add(infoLine); } return array; } catch (Exception e) { Toast.makeText(getBaseContext(), "Error: " + e.getMessage(), Toast.LENGTH_LONG).show(); return new ArrayList<String>(); } } private ArrayList<String[]> parseEntries(ArrayList<String> entries) { ArrayList<String[]> data = new ArrayList<String[]>(); try { for (Iterator<String> i = entries.iterator(); i.hasNext();) { String str = (String) i.next(); String[] elements = str.split(","); String[] entry = new String[elements.length]; for (int j = 0; j < entry.length; j++) { entry[j] = Helpers.trimCSVSpeech(elements[j]); System.out.println(" - Found at " + j + ": " + entry[j]); } data.add(entry); } } catch (Exception e) { System.out.println(e.getMessage()); Toast.makeText(getApplicationContext(), "Error: " + e.getMessage(), Toast.LENGTH_LONG).show(); } return data; } private ArrayList<String> parseOperators(String operatorString) { ArrayList<String> operators = new ArrayList<String>(); if (operatorString.length() > 0) { String[] pipedOperators = operatorString.split("[|]"); for (String operator : pipedOperators) { operators.add(operator); } } else { operators.add("(none)"); } return operators; } } }
e4f9d75ba81f4657b7d5afbefd35397025dbee25
9fba62b5a044bc776f201fc0e08838e44e1fc14c
/src/Logins/Login.java
15f95725e54f69f89e8398bc31ace9d16d7de398
[]
no_license
Seldi123/projekt3
3762ce391a48d851fcb205a51c99be68df5680f5
4438ffb173deaba0a0f5855b83e4f4ee996a497e
refs/heads/master
2022-06-08T22:52:35.358681
2020-05-05T21:04:51
2020-05-05T21:04:51
261,580,541
0
0
null
null
null
null
UTF-8
Java
false
false
11,102
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package Logins; import javax.swing.JOptionPane; import java.awt.Toolkit; import java.awt.event.WindowEvent; import Logins.Login_s; /** * * @author User */ public class Login extends javax.swing.JFrame { /** * Creates new form Login */ public Login() { initComponents(); } /** * This method is called from within the constructor to initialize the form. * WARNING: Do NOT modify this code. The content of this method is always * regenerated by the Form Editor. */ @SuppressWarnings("unchecked") // <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents private void initComponents() { jPanel1 = new javax.swing.JPanel(); jbtnLogin = new javax.swing.JLabel(); jLabel3 = new javax.swing.JLabel(); jPassword = new javax.swing.JPasswordField(); jtxtUserName = new javax.swing.JTextField(); jButton4 = new javax.swing.JButton(); jbtnReset = new javax.swing.JButton(); jbtnExit = new javax.swing.JButton(); jLabel1 = new javax.swing.JLabel(); setDefaultCloseOperation(javax.swing.WindowConstants.EXIT_ON_CLOSE); setPreferredSize(new java.awt.Dimension(1400, 700)); jPanel1.setBorder(javax.swing.BorderFactory.createLineBorder(new java.awt.Color(0, 0, 0), 30)); jbtnLogin.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jbtnLogin.setText("UserName"); jLabel3.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jLabel3.setText("Password"); jPassword.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jPassword.setBorder(javax.swing.BorderFactory.createLineBorder(new java.awt.Color(0, 0, 0), 4)); jtxtUserName.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jtxtUserName.setBorder(javax.swing.BorderFactory.createLineBorder(new java.awt.Color(0, 0, 0), 4)); jButton4.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jButton4.setText("Login"); jButton4.addActionListener(new java.awt.event.ActionListener() { public void actionPerformed(java.awt.event.ActionEvent evt) { jButton4ActionPerformed(evt); } }); jbtnReset.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jbtnReset.setText("Reset"); jbtnReset.addActionListener(new java.awt.event.ActionListener() { public void actionPerformed(java.awt.event.ActionEvent evt) { jbtnResetActionPerformed(evt); } }); jbtnExit.setFont(new java.awt.Font("Tahoma", 1, 36)); // NOI18N jbtnExit.setText("Exit"); jbtnExit.addActionListener(new java.awt.event.ActionListener() { public void actionPerformed(java.awt.event.ActionEvent evt) { jbtnExitActionPerformed(evt); } }); javax.swing.GroupLayout jPanel1Layout = new javax.swing.GroupLayout(jPanel1); jPanel1.setLayout(jPanel1Layout); jPanel1Layout.setHorizontalGroup( jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(jPanel1Layout.createSequentialGroup() .addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(jPanel1Layout.createSequentialGroup() .addGap(70, 70, 70) .addComponent(jButton4) .addGap(92, 92, 92) .addComponent(jbtnReset) .addGap(70, 70, 70) .addComponent(jbtnExit)) .addGroup(jPanel1Layout.createSequentialGroup() .addGap(82, 82, 82) .addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addComponent(jLabel3) .addComponent(jbtnLogin)) .addGap(30, 30, 30) .addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.TRAILING) .addComponent(jtxtUserName, javax.swing.GroupLayout.PREFERRED_SIZE, 250, javax.swing.GroupLayout.PREFERRED_SIZE) .addComponent(jPassword, javax.swing.GroupLayout.PREFERRED_SIZE, 250, javax.swing.GroupLayout.PREFERRED_SIZE)))) .addContainerGap(javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)) ); jPanel1Layout.setVerticalGroup( jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(jPanel1Layout.createSequentialGroup() .addGap(69, 69, 69) .addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(jbtnLogin) .addComponent(jtxtUserName, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) .addGap(74, 74, 74) .addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(jLabel3) .addComponent(jPassword, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) .addGap(39, 39, 39) .addGroup(jPanel1Layout.createParallelGroup(javax.swing.GroupLayout.Alignment.BASELINE) .addComponent(jButton4) .addComponent(jbtnReset) .addComponent(jbtnExit)) .addContainerGap(87, Short.MAX_VALUE)) ); jLabel1.setFont(new java.awt.Font("Tahoma", 1, 72)); // NOI18N jLabel1.setText("Login Systems"); javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane()); getContentPane().setLayout(layout); layout.setHorizontalGroup( layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGroup(layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGap(245, 245, 245) .addComponent(jPanel1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE)) .addGroup(layout.createSequentialGroup() .addGap(309, 309, 309) .addComponent(jLabel1))) .addContainerGap(452, Short.MAX_VALUE)) ); layout.setVerticalGroup( layout.createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGroup(layout.createSequentialGroup() .addGap(77, 77, 77) .addComponent(jLabel1) .addGap(40, 40, 40) .addComponent(jPanel1, javax.swing.GroupLayout.PREFERRED_SIZE, javax.swing.GroupLayout.DEFAULT_SIZE, javax.swing.GroupLayout.PREFERRED_SIZE) .addContainerGap(javax.swing.GroupLayout.DEFAULT_SIZE, Short.MAX_VALUE)) ); pack(); }// </editor-fold>//GEN-END:initComponents private void jbtnExitActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_jbtnExitActionPerformed System.exit(0); }//GEN-LAST:event_jbtnExitActionPerformed private void jbtnResetActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_jbtnResetActionPerformed jtxtUserName.setText(null); jPassword.setText(null); }//GEN-LAST:event_jbtnResetActionPerformed private void jButton4ActionPerformed(java.awt.event.ActionEvent evt) {//GEN-FIRST:event_jButton4ActionPerformed String password = jPassword.getText(); String username = jtxtUserName.getText(); if (password.contains("one") && (username.contains("king"))) { jtxtUserName.setText (null); jPassword.setText (null); systemExit(); Login_s Info = new Login_s(); Info.setVisible(true); } else { JOptionPane.showMessageDialog(null, "Invalid Login Details", "Login Error", JOptionPane.ERROR_MESSAGE) jPassword.setText(null); jtxtUserName.setText(null); } }//GEN-LAST:event_jButton4ActionPerformed /** * @param args the command line arguments */ public static void main(String args[]) { /* Set the Nimbus look and feel */ //<editor-fold defaultstate="collapsed" desc=" Look and feel setting code (optional) "> /* If Nimbus (introduced in Java SE 6) is not available, stay with the default look and feel. * For details see http://download.oracle.com/javase/tutorial/uiswing/lookandfeel/plaf.html */ try { for (javax.swing.UIManager.LookAndFeelInfo info : javax.swing.UIManager.getInstalledLookAndFeels()) { if ("Nimbus".equals(info.getName())) { javax.swing.UIManager.setLookAndFeel(info.getClassName()); break; } } } catch (ClassNotFoundException ex) { java.util.logging.Logger.getLogger(Login.class.getName()).log(java.util.logging.Level.SEVERE, null, ex); } catch (InstantiationException ex) { java.util.logging.Logger.getLogger(Login.class.getName()).log(java.util.logging.Level.SEVERE, null, ex); } catch (IllegalAccessException ex) { java.util.logging.Logger.getLogger(Login.class.getName()).log(java.util.logging.Level.SEVERE, null, ex); } catch (javax.swing.UnsupportedLookAndFeelException ex) { java.util.logging.Logger.getLogger(Login.class.getName()).log(java.util.logging.Level.SEVERE, null, ex); } //</editor-fold> /* Create and display the form */ java.awt.EventQueue.invokeLater(new Runnable() { public void run() { new Login().setVisible(true); } }); } // Variables declaration - do not modify//GEN-BEGIN:variables private javax.swing.JButton jButton4; private javax.swing.JLabel jLabel1; private javax.swing.JLabel jLabel3; private javax.swing.JPanel jPanel1; private javax.swing.JPasswordField jPassword; private javax.swing.JButton jbtnExit; private javax.swing.JLabel jbtnLogin; private javax.swing.JButton jbtnReset; private javax.swing.JTextField jtxtUserName; // End of variables declaration//GEN-END:variables private void systemExit() { WindowEvent winCloseing = new WindowEvent(this, WindowEvent.WINDOW_CLOSING) } }
[ "User@User-PC" ]
User@User-PC
3a4c594efe5281989e05f39ddffea62d7718c5de
caddc29b143278fcb2e98d159755f225070cfb01
/src/com/tuibian/activity/MessageWebview.java
2bffbd18023f8bc4323010e7b4e3e30a5e4d0ce6
[]
no_license
Quntas/tuibian1.0
52927c80bc852aaf2e5695c876b955c3a4599927
1c4469e14eaee22b9e62eb0c5410204667497e94
refs/heads/master
2021-01-01T04:46:20.782038
2016-04-11T10:40:04
2016-04-11T10:48:23
55,964,345
1
0
null
null
null
null
UTF-8
Java
false
false
2,481
java
package com.tuibian.activity; import java.io.UnsupportedEncodingException; import java.net.URLEncoder; import android.content.Intent; import android.os.Bundle; import android.view.View; import android.view.View.OnClickListener; import android.view.ViewGroup; import android.webkit.WebSettings; import android.webkit.WebSettings.LayoutAlgorithm; import android.webkit.WebView; import android.webkit.WebViewClient; import com.tuibian.common.CGlobal; import com.tuibian.main.BaseActivity; import com.tuibian.R; public class MessageWebview extends BaseActivity implements OnClickListener { private WebView h_report_wv; @Override protected void initViews() { // TODO Auto-generated method stub } @Override protected void initEvents() { // TODO Auto-generated method stub } @Override protected void init() { } @Override protected void onCreate(Bundle savedInstanceState) { // TODO Auto-generated method stub super.onCreate(savedInstanceState); tack.addActivity(this); addView(R.layout.h_report_webview); String url = getIntent().getStringExtra("url"); String title = getIntent().getStringExtra("title"); if(title==null) title = "我的消息"; mTitleBar.setTitleText(title); h_report_wv = (WebView) findViewById(R.id.h_report_wv); h_report_wv.setVerticalScrollbarOverlay(true); //指定的垂直滚动条有叠加样式 WebSettings settings = h_report_wv.getSettings(); settings.setUseWideViewPort(true);//设定支持viewport settings.setJavaScriptEnabled(true); settings.setLoadWithOverviewMode(true); //settings.setBuiltInZoomControls(true); //settings.setSupportZoom(true);//设定支持缩放 //自适应屏幕 settings.setLayoutAlgorithm(LayoutAlgorithm.SINGLE_COLUMN); //end8 h_report_wv.setWebViewClient(new WebViewClient() { public boolean shouldOverrideUrlLoading(WebView view, String url) { // 重写此方法表明点击网页里面的链接还是在当前的webview里跳转,不跳到浏览器那边 view.loadUrl(url); return true; } }); if (url != null && !url.equals("")) { h_report_wv.loadUrl(url); } } @Override public void onClick(View v) { } @Override public void finish() { ViewGroup view = (ViewGroup) getWindow().getDecorView(); view.removeAllViews(); super.finish(); } }
31fb132d37254fd9af9d3cebcfe4322539fcbcc9
da4bfb5d0ce5c9bfb63eaec57af5a060291c7726
/Example27.java
6e336cd5cda7f19776ade70a0bb1a9561bdf6329
[]
no_license
pathak-siddheshwar/Java
d7b1c35bc9a614f492a211f95ea05e00e68d7b16
f703ffe594f94d50d723baefa8f73310b2c887d1
refs/heads/master
2022-12-07T01:55:31.621290
2020-08-18T05:30:26
2020-08-18T05:30:26
283,765,224
0
0
null
null
null
null
UTF-8
Java
false
false
603
java
import java.util.Scanner; import java.util.Arrays; class Example27{ public static void main(String[] s){ int[][] a=new int[2][2]; int i,j,k=0; for(i=1;i>=0;i--) { for(j=1;j>=0;j--) { a[1-i][1-j]=Integer.parseInt(s[k]); k++; } } System.out.println("the matrix is:"); for(i=1;i>=0;i--) { for(j=1;j>=0;j--) { System.out.print(a[i][j] +" "); } System.out.println(); } } }
7bc301d1b984eb68eb8d3ae0f038434ccc359eaf
b754a1113421ac5e45c13c2088d8d7161095749d
/atcrowdfunding-bean/src/main/java/com/xys/atcrowdfunding/bean/TRolePermission.java
1610c165b7e0d2c937f63a9925aea38adbd0f52a
[ "MIT" ]
permissive
dtfdsz/crowdfunding-spring-2021
236cf89ddf508543a9c11d2197c5c453850026a1
2651b1abfec50c231276a1c58fef23da9ef526d9
refs/heads/main
2023-05-06T11:45:56.868960
2021-06-01T06:20:13
2021-06-01T06:20:13
372,721,696
0
0
null
null
null
null
UTF-8
Java
false
false
602
java
package com.xys.atcrowdfunding.bean; public class TRolePermission { private Integer id; private Integer roleid; private Integer permissionid; public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public Integer getRoleid() { return roleid; } public void setRoleid(Integer roleid) { this.roleid = roleid; } public Integer getPermissionid() { return permissionid; } public void setPermissionid(Integer permissionid) { this.permissionid = permissionid; } }
2df7d1b0f77f65dc4e3644ba490c741d5f980ceb
c80775be8c7015175c5d4156bdf53db1930eaa6c
/ikasoa-rpc/src/com/ikamobile/ikasoa/rpc/handler/ProtocolHandlerFactory.java
d7253ded9182204bbc557902ae676d566ce65611
[ "MIT" ]
permissive
Tomxin/ikasoa
41f938bccd191b4020eac78913d356f339a9ee10
081beb0dc8af69fc0152f7a1e053b10ae3d661b5
refs/heads/master
2020-05-28T02:01:06.171090
2016-08-18T03:15:30
2016-08-18T03:15:30
66,073,724
1
0
null
2016-08-19T10:12:53
2016-08-19T10:12:53
null
UTF-8
Java
false
false
1,213
java
package com.ikamobile.ikasoa.rpc.handler; /** * 转换协议处理器工厂 * * @author <a href="mailto:[email protected]">Larry</a> * @version 0.1 */ public class ProtocolHandlerFactory<T1, T2> { private static final String DEFAULT_PROTOCOL_HANDLER_CLASS_STRING = "com.ikamobile.ikasoa.rpc.handler.impl.JsonProtocolHandlerImpl"; public ProtocolHandler<T1, T2> getProtocolHandler(ReturnData resultData) { return getProtocolHandler(resultData, null); } @SuppressWarnings({ "rawtypes", "unchecked" }) public ProtocolHandler<T1, T2> getProtocolHandler(ReturnData resultData, Class<ProtocolHandler> protocolHandlerClass) { try { Class[] paramTypes = { ReturnData.class }; Object[] params = { resultData }; if (protocolHandlerClass == null) { Class defaultProtocolHandlerClass = Class.forName(DEFAULT_PROTOCOL_HANDLER_CLASS_STRING); return (ProtocolHandler<T1, T2>) defaultProtocolHandlerClass.getConstructor(paramTypes) .newInstance(params); } else { return (ProtocolHandler<T1, T2>) protocolHandlerClass.getConstructor(paramTypes).newInstance(params); } } catch (Exception e) { throw new RuntimeException(e); } } }
179b3cd23964263d55b39019111a7d578fcc4a39
0ec41d9e36691ad840ee4f3c6b2ac1e8558a22b3
/heelper/src/main/java/com/emreaydemir/heelper/constants/ConstantsTextView.java
aa0fa339c721f5926c6b4fd52ff43bfd7b12b008
[]
no_license
EmreAydemir/Heelper
5844d3305bad9dff8c03ef219c770f3cb4335296
17d9b6084a8ba9632c5a8b064c72ae4908673d0b
refs/heads/master
2023-02-17T06:23:39.863536
2021-01-19T06:57:02
2021-01-19T06:57:02
321,945,155
0
0
null
null
null
null
UTF-8
Java
false
false
230
java
package com.emreaydemir.heelper.constants; public class ConstantsTextView { // Fonts public static String txtRegularPath = ""; public static String txtBoldPath = ""; public static String txtSemiBoldPath = ""; }
e4b2917a66d143a373195956af2753a88c9c1787
164bf09a5edbaf81e2baf8a594891c5d8056954e
/src/main/java/org/nc/data/DataCacheFactory.java
13c59bb5100f3f6728f29335e54833a92d51f89e
[]
no_license
rbandara/netflix-data-clustering
943fed522de138a89dff852f59071d5804c2aaec
302e1641374802815bb890f91ab4cf69991b7e0d
refs/heads/master
2020-12-24T14:56:23.816145
2013-05-20T04:24:50
2013-05-20T04:24:50
10,116,558
4
0
null
null
null
null
UTF-8
Java
false
false
258
java
package org.nc.data; /** * @author rbandara * Factory class which will instantiate the needed implementation */ public class DataCacheFactory { public static IDataCache getDataCache() { return ModifiedDataCache.getInstance(); } }
5171c66173eff353e8bbb8a3283e8cf3564297df
c74c2e590b6c6f967aff980ce465713b9e6fb7ef
/game-logic/src/main/java/com/bdoemu/gameserver/scripts/ai/Ai_spirit_normal.java
2a8c7ceff1bc6a7f40bca4be1c9d084848cc8f4a
[]
no_license
lingfan/bdoemu
812bb0abb219ddfc391adadf68079efa4af43353
9c49b29bfc9c5bfe3192b2a7fb1245ed459ef6c1
refs/heads/master
2021-01-01T13:10:13.075388
2019-12-02T09:23:20
2019-12-02T09:23:20
null
0
0
null
null
null
null
UTF-8
Java
false
false
6,719
java
package com.bdoemu.gameserver.scripts.ai; import com.bdoemu.commons.thread.ThreadPool; import com.bdoemu.commons.utils.Rnd; import com.bdoemu.gameserver.model.ai.deprecated.*; import com.bdoemu.gameserver.model.creature.Creature; import com.bdoemu.gameserver.model.actions.enums.*; import com.bdoemu.gameserver.model.chat.enums.EChatNoticeType; import com.bdoemu.gameserver.model.misc.enums.ETradeCommerceType; import com.bdoemu.gameserver.model.weather.enums.EWeatherFactorType; import java.util.Map; import java.util.HashMap; import java.util.Date; import java.util.concurrent.TimeUnit; /** * @author H1X4 */ @SuppressWarnings("all") @IAIName("spirit_normal") public class Ai_spirit_normal extends CreatureAI { public Ai_spirit_normal(Creature actor, Map<Long, Integer> aiVariables) { super(actor, aiVariables); } protected void InitialState(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.idle); setState(0xAE5FEAC2L /*InitialState*/); setVariable(0xCBEEF8C7L /*_ownerDistance*/, 0); setVariable(0x762AB710L /*_UnSummonTime*/, getVariable(0xCC757928L /*AI_UnSummonTime*/)); setVariable(0x9326AD79L /*_SummonStartTime*/, 0); setVariable(0x6DDCA962L /*_IngTime*/, 0); setVariable(0x51EDA18AL /*_SummonEndTime*/, 0); setVariable(0x9326AD79L /*_SummonStartTime*/, getTime()); doAction(2514775444L /*WAIT*/, blendTime, onDoActionEnd -> scheduleState(state -> Wait(blendTime), 100)); } protected void Logic(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.none); setState(0x9A053101L /*Logic*/); scheduleState(state -> Wait(blendTime), 500); } protected void Wait(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.idle); setState(0x866C7489L /*Wait*/); setVariable(0xCBEEF8C7L /*_ownerDistance*/, getDistanceToOwner()); setVariable(0x6DDCA962L /*_IngTime*/, getTime()); setVariable(0x51EDA18AL /*_SummonEndTime*/, getVariable(0x6DDCA962L /*_IngTime*/) - getVariable(0x9326AD79L /*_SummonStartTime*/)); if (getVariable(0x51EDA18AL /*_SummonEndTime*/) > getVariable(0x762AB710L /*_UnSummonTime*/)) { if (changeState(state -> UnSummon(blendTime))) return; } if (getVariable(0xCBEEF8C7L /*_ownerDistance*/) > 400) { if (changeState(state -> Chase_Run(blendTime))) return; } doAction(2514775444L /*WAIT*/, blendTime, onDoActionEnd -> scheduleState(state -> Wait(blendTime), 2500 + Rnd.get(-500,500))); } protected void FailFindPath(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.idle); setState(0x80CB99B0L /*FailFindPath*/); doTeleport(EAIMoveDestType.OwnerPosition, 200, 0, 1, 1); doAction(2514775444L /*WAIT*/, blendTime, onDoActionEnd -> scheduleState(state -> Wait(blendTime), 500)); } protected void Chase_Run(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.walk); setState(0xD4573013L /*Chase_Run*/); if (isTargetLost()) { if (changeState(state -> Logic(blendTime))) return; } setVariable(0xCBEEF8C7L /*_ownerDistance*/, getDistanceToOwner()); setVariable(0x6DDCA962L /*_IngTime*/, getTime()); setVariable(0x51EDA18AL /*_SummonEndTime*/, getVariable(0x6DDCA962L /*_IngTime*/) - getVariable(0x9326AD79L /*_SummonStartTime*/)); if (getVariable(0x51EDA18AL /*_SummonEndTime*/) > getVariable(0x762AB710L /*_UnSummonTime*/)) { if (changeState(state -> UnSummon(blendTime))) return; } if (getVariable(0xCBEEF8C7L /*_ownerDistance*/) < 200) { if (changeState(state -> Wait(blendTime))) return; } doAction(4062859220L /*RUN*/, blendTime, onDoActionEnd -> move(EAIMoveDestType.OwnerPosition, 0, 0, 0, 40, 90, false, ENaviType.ground, () -> { return false; }, onExit -> scheduleState(state -> Chase_Run(blendTime), 500))); } protected void UnSummon(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.dead); setState(0xCC02DCCFL /*UnSummon*/); doAction(2544805566L /*DIE*/, blendTime, onDoActionEnd -> scheduleState(state -> UnSummon(blendTime), 1000)); } protected void Battle_Attack1(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.action); setState(0xB5FDC949L /*Battle_Attack1*/); doAction(31162842L /*BATTLE_ATTACK1*/, blendTime, onDoActionEnd -> changeState(state -> Wait(blendTime))); } protected void Battle_Attack2(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.action); setState(0xD72BCC90L /*Battle_Attack2*/); doAction(2323327157L /*BATTLE_ATTACK2*/, blendTime, onDoActionEnd -> changeState(state -> Wait(blendTime))); } protected void Battle_Attack3(double blendTime) { Creature target = getTarget(); setBehavior(EAIBehavior.action); setState(0x94302B26L /*Battle_Attack3*/); doAction(931985982L /*BATTLE_ATTACK3*/, blendTime, onDoActionEnd -> changeState(state -> Wait(blendTime))); } @Override public EAiHandlerResult HandleTakeDamage(Creature sender, Integer[] eventData) { _sender = sender; Creature target = sender; return EAiHandlerResult.BYPASS; } @Override public EAiHandlerResult OrderHT_BattleAttack1(Creature sender, Integer[] eventData) { _sender = sender; Creature target = sender; getActor().getAggroList().addCreature(sender.getAggroList().getTarget()); if (getState() != 0x672D31E4L /*DeSummon*/ && getState() != 0xB5FDC949L /*Battle_Attack1*/ && getState() != 0xD72BCC90L /*Battle_Attack2*/ && getState() != 0x94302B26L /*Battle_Attack3*/) { if (changeState(state -> Battle_Attack1(0.3))) return EAiHandlerResult.CHANGE_STATE; } return EAiHandlerResult.BYPASS; } @Override public EAiHandlerResult OrderHT_BattleAttack2(Creature sender, Integer[] eventData) { _sender = sender; Creature target = sender; getActor().getAggroList().addCreature(sender.getAggroList().getTarget()); if (getState() != 0x672D31E4L /*DeSummon*/ && getState() != 0xB5FDC949L /*Battle_Attack1*/ && getState() != 0xD72BCC90L /*Battle_Attack2*/ && getState() != 0x94302B26L /*Battle_Attack3*/) { if (changeState(state -> Battle_Attack2(0.3))) return EAiHandlerResult.CHANGE_STATE; } return EAiHandlerResult.BYPASS; } @Override public EAiHandlerResult OrderHT_BattleAttack3(Creature sender, Integer[] eventData) { _sender = sender; Creature target = sender; getActor().getAggroList().addCreature(sender.getAggroList().getTarget()); if (getState() != 0x672D31E4L /*DeSummon*/ && getState() != 0xB5FDC949L /*Battle_Attack1*/ && getState() != 0xD72BCC90L /*Battle_Attack2*/ && getState() != 0x94302B26L /*Battle_Attack3*/) { if (changeState(state -> Battle_Attack3(0.3))) return EAiHandlerResult.CHANGE_STATE; } return EAiHandlerResult.BYPASS; } }
ee014fccd238e59d389e0559f3c48c1676d4f06f
70aaf58422f1ad3b305881eedc548e210d117782
/Kth_Largest_Element_in_an_Array.java
78aa9118ae034bde20ded9fd15d25676c38c1c82
[ "Apache-2.0" ]
permissive
kxingit/LeetCode_Java
e6d1dba2cd82e35ab0865a31ef6c7cb71784a454
3834edf59dbdcc3e10ffab5dc1898657364f6d7b
refs/heads/master
2021-01-11T17:46:03.405173
2017-04-30T02:35:07
2017-04-30T02:35:07
79,839,706
0
0
null
null
null
null
UTF-8
Java
false
false
1,764
java
/* * Find the kth largest element in an unsorted array. Note that it is the kth largest element in the sorted order, not the kth distinct element. */ public class Solution { public int findKthLargest(int[] nums, int k) { // 4:41 - 4:42 PriorityQueue<Integer> pq = new PriorityQueue(); for(Integer num : nums) { if(pq.size() < k) { pq.add(num); } else { if(num > pq.peek()) { pq.poll(); pq.add(num); } } } return pq.peek(); } } // v2 public class Solution { public int findKthLargest(int[] nums, int k) { // 11:15 - 11:16 PriorityQueue<Integer> pq = new PriorityQueue(); for(int num : nums) { if(pq.size() < k) { pq.add(num); } else { if(num > pq.peek()) { pq.poll(); pq.add(num); } } } return pq.peek(); } } // v3 public class Solution { public int findKthLargest(int[] nums, int k) { // 11:27 - 11:28 PriorityQueue<Integer> pq = new PriorityQueue(); for(int num : nums) { pq.add(num); if(pq.size() > k) { pq.poll(); } } return pq.peek(); } } // v4 public class Solution { public int findKthLargest(int[] nums, int k) { // 3:13 - 3:15 PriorityQueue<Integer> pq = new PriorityQueue(); for(int i = 0; i < nums.length; i++) { pq.add(nums[i]); if(pq.size() > k) { pq.poll(); } } return pq.peek(); } }
ec43e235faf36c811694b163f5ea1e67ab99a962
e735f1d524800af94ed73259f106784b6121a1b2
/Food/src/food/store/command/storeCommand.java
ff511c34dcbdfcb6b3df19bc91b9ad613184f95d
[]
no_license
osm2112/FoodProJect
10cbf4e69ee799184efe6accb65c14eae17d9c89
1c177001a7dbb6265c8b15695575c301eb13ab0b
refs/heads/master
2020-03-28T13:27:05.104220
2018-09-13T02:13:00
2018-09-13T02:13:00
148,396,558
0
0
null
null
null
null
UTF-8
Java
false
false
241
java
package food.store.command; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; public interface storeCommand { void execute(HttpServletRequest request, HttpServletResponse response); }
[ "OhSangMin@DESKTOP-NBAL2GQ" ]
OhSangMin@DESKTOP-NBAL2GQ
7387e4c9315bf67ab79bce70ef6fdb8ce92a1e2f
dbf5adca095d04d7d069ecaa916e883bc1e5c73d
/x_processplatform_assemble_designer/src/main/java/com/x/processplatform/assemble/designer/jaxrs/queryview/ActionBase.java
c13df6b29bf65349e14a9e68a6a221b1ac48f974
[ "BSD-3-Clause" ]
permissive
fancylou/o2oa
713529a9d383de5d322d1b99073453dac79a9353
e7ec39fc586fab3d38b62415ed06448e6a9d6e26
refs/heads/master
2020-03-25T00:07:41.775230
2018-08-02T01:40:40
2018-08-02T01:40:40
143,169,936
0
0
BSD-3-Clause
2018-08-01T14:49:45
2018-08-01T14:49:44
null
UTF-8
Java
false
false
1,315
java
package com.x.processplatform.assemble.designer.jaxrs.queryview; import com.google.gson.Gson; import com.x.base.core.bean.BeanCopyTools; import com.x.base.core.bean.BeanCopyToolsBuilder; import com.x.base.core.gson.XGsonBuilder; import com.x.base.core.project.jaxrs.StandardJaxrsAction; import com.x.processplatform.assemble.designer.wrapin.WrapInQueryView; import com.x.processplatform.assemble.designer.wrapout.WrapOutQueryView; import com.x.processplatform.core.entity.element.QueryView; import com.x.processplatform.core.entity.query.Query; class ActionBase extends StandardJaxrsAction { static BeanCopyTools<QueryView, WrapOutQueryView> outCopier = BeanCopyToolsBuilder.create(QueryView.class, WrapOutQueryView.class, null, WrapOutQueryView.Excludes); static BeanCopyTools<WrapInQueryView, QueryView> createCopier = BeanCopyToolsBuilder.create(WrapInQueryView.class, QueryView.class, null, WrapInQueryView.CreateExcludes); static BeanCopyTools<WrapInQueryView, QueryView> updateCopier = BeanCopyToolsBuilder.create(WrapInQueryView.class, QueryView.class, null, WrapInQueryView.UpdateExcludes); static void transQuery(QueryView queryView) { Gson gson = XGsonBuilder.instance(); Query query = gson.fromJson(queryView.getData(), Query.class); queryView.setData(gson.toJson(query)); } }
88472f14f1798dedc654ed18168484b8dba0d524
e0bc1ce416bf6adb8958d13c8816397af2a56f72
/android/app/build/generated/not_namespaced_r_class_sources/debug/processDebugResources/r/com/saitama/R.java
24bb835417fae373b17cd5e9a886d1d01739b67c
[ "MIT" ]
permissive
hex22a/saitama
6e5da6c8584d4501e662cd25ba5af5753dfcc0e7
d18a72a06874e5ee7511ffc86462937e14b4e97e
refs/heads/master
2023-06-27T16:51:50.769674
2020-01-27T22:03:26
2020-01-27T22:03:26
232,546,122
0
0
MIT
2023-06-20T19:25:23
2020-01-08T11:16:06
Java
UTF-8
Java
false
false
586,659
java
/* AUTO-GENERATED FILE. DO NOT MODIFY. * * This class was automatically generated by the * aapt tool from the resource data it found. It * should not be modified by hand. */ package com.saitama; public final class R { public static final class anim { public static final int abc_fade_in=0x7f010000; public static final int abc_fade_out=0x7f010001; public static final int abc_grow_fade_in_from_bottom=0x7f010002; public static final int abc_popup_enter=0x7f010003; public static final int abc_popup_exit=0x7f010004; public static final int abc_shrink_fade_out_from_bottom=0x7f010005; public static final int abc_slide_in_bottom=0x7f010006; public static final int abc_slide_in_top=0x7f010007; public static final int abc_slide_out_bottom=0x7f010008; public static final int abc_slide_out_top=0x7f010009; public static final int abc_tooltip_enter=0x7f01000a; public static final int abc_tooltip_exit=0x7f01000b; public static final int catalyst_fade_in=0x7f01000c; public static final int catalyst_fade_out=0x7f01000d; public static final int catalyst_push_up_in=0x7f01000e; public static final int catalyst_push_up_out=0x7f01000f; public static final int catalyst_slide_down=0x7f010010; public static final int catalyst_slide_up=0x7f010011; } public static final class attr { /** * Custom divider drawable to use for elements in the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarDivider=0x7f020000; /** * Custom item state list drawable background for action bar items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarItemBackground=0x7f020001; /** * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarPopupTheme=0x7f020002; /** * Size of the Action Bar, including the contextual * bar used to present Action Modes. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>wrap_content</td><td>0</td><td></td></tr> * </table> */ public static final int actionBarSize=0x7f020003; /** * Reference to a style for the split Action Bar. This style * controls the split component that holds the menu/action * buttons. actionBarStyle is still used for the primary * bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarSplitStyle=0x7f020004; /** * Reference to a style for the Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarStyle=0x7f020005; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTabBarStyle=0x7f020006; /** * Default style for tabs within an action bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTabStyle=0x7f020007; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTabTextStyle=0x7f020008; /** * Reference to a theme that should be used to inflate the * action bar. This will be inherited by any widget inflated * into the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarTheme=0x7f020009; /** * Reference to a theme that should be used to inflate widgets * and layouts destined for the action bar. Most of the time * this will be a reference to the current theme, but when * the action bar has a significantly different contrast * profile than the rest of the activity the difference * can become important. If this is set to @null the current * theme will be used. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionBarWidgetTheme=0x7f02000a; /** * Default action button style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionButtonStyle=0x7f02000b; /** * Default ActionBar dropdown style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionDropDownStyle=0x7f02000c; /** * An optional layout to be used as an action view. * See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionLayout=0x7f02000d; /** * TextAppearance style that will be applied to text that * appears within action menu items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionMenuTextAppearance=0x7f02000e; /** * Color for text that appears within action menu items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int actionMenuTextColor=0x7f02000f; /** * Background drawable to use for action mode UI * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeBackground=0x7f020010; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCloseButtonStyle=0x7f020011; /** * Drawable to use for the close action mode button * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCloseDrawable=0x7f020012; /** * Drawable to use for the Copy action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCopyDrawable=0x7f020013; /** * Drawable to use for the Cut action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeCutDrawable=0x7f020014; /** * Drawable to use for the Find action button in WebView selection action modes * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeFindDrawable=0x7f020015; /** * Drawable to use for the Paste action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModePasteDrawable=0x7f020016; /** * PopupWindow style to use for action modes when showing as a window overlay. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModePopupWindowStyle=0x7f020017; /** * Drawable to use for the Select all action button in Contextual Action Bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeSelectAllDrawable=0x7f020018; /** * Drawable to use for the Share action button in WebView selection action modes * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeShareDrawable=0x7f020019; /** * Background drawable to use for action mode UI in the lower split bar * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeSplitBackground=0x7f02001a; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeStyle=0x7f02001b; /** * Drawable to use for the Web Search action button in WebView selection action modes * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionModeWebSearchDrawable=0x7f02001c; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionOverflowButtonStyle=0x7f02001d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actionOverflowMenuStyle=0x7f02001e; /** * The name of an optional ActionProvider class to instantiate an action view * and perform operations such as default action for that menu item. * See {@link android.view.MenuItem#setActionProvider(android.view.ActionProvider)} * for more info. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actionProviderClass=0x7f02001f; /** * The name of an optional View class to instantiate and use as an * action view. See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actionViewClass=0x7f020020; /** * Default ActivityChooserView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int activityChooserViewStyle=0x7f020021; /** * An image reference * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int actualImageResource=0x7f020022; /** * Scale type of the actual image. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int actualImageScaleType=0x7f020023; /** * An image uri . * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int actualImageUri=0x7f020024; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int alertDialogButtonGroupStyle=0x7f020025; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int alertDialogCenterButtons=0x7f020026; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int alertDialogStyle=0x7f020027; /** * Theme to use for alert dialogs spawned from this theme. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int alertDialogTheme=0x7f020028; /** * Whether to automatically stack the buttons when there is not * enough space to lay them out side-by-side. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int allowStacking=0x7f020029; /** * Alpha multiplier applied to the base color. * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int alpha=0x7f02002a; /** * The alphabetic modifier key. This is the modifier when using a keyboard * with alphabetic keys. The values should be kept in sync with KeyEvent * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> */ public static final int alphabeticModifiers=0x7f02002b; /** * The length of the arrow head when formed to make an arrow * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int arrowHeadLength=0x7f02002c; /** * The length of the shaft when formed to make an arrow * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int arrowShaftLength=0x7f02002d; /** * Default AutoCompleteTextView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int autoCompleteTextViewStyle=0x7f02002e; /** * The maximum text size constraint to be used when auto-sizing text. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int autoSizeMaxTextSize=0x7f02002f; /** * The minimum text size constraint to be used when auto-sizing text. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int autoSizeMinTextSize=0x7f020030; /** * Resource array of dimensions to be used in conjunction with * <code>autoSizeTextType</code> set to <code>uniform</code>. Overrides * <code>autoSizeStepGranularity</code> if set. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int autoSizePresetSizes=0x7f020031; /** * Specify the auto-size step size if <code>autoSizeTextType</code> is set to * <code>uniform</code>. The default is 1px. Overwrites * <code>autoSizePresetSizes</code> if set. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int autoSizeStepGranularity=0x7f020032; /** * Specify the type of auto-size. Note that this feature is not supported by EditText, * works only for TextView. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>none</td><td>0</td><td>No auto-sizing (default).</td></tr> * <tr><td>uniform</td><td>1</td><td>Uniform horizontal and vertical text size scaling to fit within the * container.</td></tr> * </table> */ public static final int autoSizeTextType=0x7f020033; /** * Specifies a background drawable for the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int background=0x7f020034; /** * A drawable or color to be used as a background. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int backgroundImage=0x7f020035; /** * Specifies a background drawable for the bottom component of a split action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int backgroundSplit=0x7f020036; /** * Specifies a background drawable for a second stacked row of the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int backgroundStacked=0x7f020037; /** * Tint to apply to the background. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int backgroundTint=0x7f020038; /** * Blending mode used to apply the background tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int backgroundTintMode=0x7f020039; /** * The length of the bars when they are parallel to each other * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int barLength=0x7f02003a; /** * Style for buttons without an explicit border, often used in groups. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int borderlessButtonStyle=0x7f02003b; /** * Style for buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarButtonStyle=0x7f02003c; /** * Style for the "negative" buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarNegativeButtonStyle=0x7f02003d; /** * Style for the "neutral" buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarNeutralButtonStyle=0x7f02003e; /** * Style for the "positive" buttons within button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarPositiveButtonStyle=0x7f02003f; /** * Style for button bars * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonBarStyle=0x7f020040; /** * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> */ public static final int buttonGravity=0x7f020041; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int buttonIconDimen=0x7f020042; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonPanelSideLayout=0x7f020043; /** * Normal Button style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonStyle=0x7f020044; /** * Small Button style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int buttonStyleSmall=0x7f020045; /** * Tint to apply to the button drawable. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int buttonTint=0x7f020046; /** * Blending mode used to apply the button tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int buttonTintMode=0x7f020047; /** * Default Checkbox style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int checkboxStyle=0x7f020048; /** * Default CheckedTextView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int checkedTextViewStyle=0x7f020049; /** * Close button icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int closeIcon=0x7f02004a; /** * Specifies a layout to use for the "close" item at the starting edge. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int closeItemLayout=0x7f02004b; /** * Text to set as the content description for the collapse button. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int collapseContentDescription=0x7f02004c; /** * Icon drawable to use for the collapse button. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int collapseIcon=0x7f02004d; /** * The drawing color for the bars * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int color=0x7f02004e; /** * Bright complement to the primary branding color. By default, this is the color applied * to framework controls (via colorControlActivated). * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorAccent=0x7f02004f; /** * Default color of background imagery for floating components, ex. dialogs, popups, and cards. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorBackgroundFloating=0x7f020050; /** * The color applied to framework buttons in their normal state. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorButtonNormal=0x7f020051; /** * The color applied to framework controls in their activated (ex. checked) state. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorControlActivated=0x7f020052; /** * The color applied to framework control highlights (ex. ripples, list selectors). * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorControlHighlight=0x7f020053; /** * The color applied to framework controls in their normal state. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorControlNormal=0x7f020054; /** * Color used for error states and things that need to be drawn to * the user's attention. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorError=0x7f020055; /** * The primary branding color for the app. By default, this is the color applied to the * action bar background. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorPrimary=0x7f020056; /** * Dark variant of the primary branding color. By default, this is the color applied to * the status bar (via statusBarColor) and navigation bar (via navigationBarColor). * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorPrimaryDark=0x7f020057; /** * The color applied to framework switch thumbs in their normal state. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int colorSwitchThumbNormal=0x7f020058; /** * Commit icon shown in the query suggestion row * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int commitIcon=0x7f020059; /** * The content description associated with the item. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int contentDescription=0x7f02005a; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetEnd=0x7f02005b; /** * Minimum inset for content views within a bar when actions from a menu * are present. Only valid for some themes and configurations. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetEndWithActions=0x7f02005c; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetLeft=0x7f02005d; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetRight=0x7f02005e; /** * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetStart=0x7f02005f; /** * Minimum inset for content views within a bar when a navigation button * is present, such as the Up button. Only valid for some themes and configurations. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int contentInsetStartWithNavigation=0x7f020060; /** * The background used by framework controls. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int controlBackground=0x7f020061; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int coordinatorLayoutStyle=0x7f020062; /** * Specifies a layout for custom navigation. Overrides navigationMode. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int customNavigationLayout=0x7f020063; /** * Default query hint used when {@code queryHint} is undefined and * the search view's {@code SearchableInfo} does not provide a hint. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int defaultQueryHint=0x7f020064; /** * Preferred corner radius of dialogs. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dialogCornerRadius=0x7f020065; /** * Preferred padding for dialog content. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dialogPreferredPadding=0x7f020066; /** * Theme to use for dialogs spawned from this theme. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dialogTheme=0x7f020067; /** * Options affecting how the action bar is displayed. * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>disableHome</td><td>20</td><td></td></tr> * <tr><td>homeAsUp</td><td>4</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>showCustom</td><td>10</td><td></td></tr> * <tr><td>showHome</td><td>2</td><td></td></tr> * <tr><td>showTitle</td><td>8</td><td></td></tr> * <tr><td>useLogo</td><td>1</td><td></td></tr> * </table> */ public static final int displayOptions=0x7f020068; /** * Specifies the drawable used for item dividers. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int divider=0x7f020069; /** * A drawable that may be used as a horizontal divider between visual elements. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dividerHorizontal=0x7f02006a; /** * Size of padding on either end of a divider. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dividerPadding=0x7f02006b; /** * A drawable that may be used as a vertical divider between visual elements. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dividerVertical=0x7f02006c; /** * The total size of the drawable * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int drawableSize=0x7f02006d; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int drawerArrowStyle=0x7f02006e; /** * ListPopupWindow compatibility * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int dropDownListViewStyle=0x7f02006f; /** * The preferred item height for dropdown lists. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int dropdownListPreferredItemHeight=0x7f020070; /** * EditText background drawable. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int editTextBackground=0x7f020071; /** * EditText text foreground color. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int editTextColor=0x7f020072; /** * Default EditText style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int editTextStyle=0x7f020073; /** * Elevation for the action bar itself * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int elevation=0x7f020074; /** * The drawable to show in the button for expanding the activities overflow popup. * <strong>Note:</strong> Clients would like to set this drawable * as a clue about the action the chosen activity will perform. For * example, if share activity is to be chosen the drawable should * give a clue that sharing is to be performed. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int expandActivityOverflowButtonDrawable=0x7f020075; /** * Fade duration in milliseconds. * <p>May be an integer value, such as "<code>100</code>". */ public static final int fadeDuration=0x7f020076; /** * A drawable to be be used as a failure image. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int failureImage=0x7f020077; /** * Scale type of the failure image. Ignored if failureImage is not specified. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int failureImageScaleType=0x7f020078; /** * Distance from the top of the TextView to the first text baseline. If set, this * overrides the value set for paddingTop. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int firstBaselineToTopHeight=0x7f020079; /** * The reference to the font file to be used. This should be a file in the res/font folder * and should therefore have an R reference value. E.g. @font/myfont * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int font=0x7f02007a; /** * The attribute for the font family. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontFamily=0x7f02007b; /** * The authority of the Font Provider to be used for the request. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderAuthority=0x7f02007c; /** * The sets of hashes for the certificates the provider should be signed with. This is * used to verify the identity of the provider, and is only required if the provider is not * part of the system image. This value may point to one list or a list of lists, where each * individual list represents one collection of signature hashes. Refer to your font provider's * documentation for these values. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int fontProviderCerts=0x7f02007d; /** * The strategy to be used when fetching font data from a font provider in XML layouts. * This attribute is ignored when the resource is loaded from code, as it is equivalent to the * choice of API between {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int)} (blocking) and * {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int, FontCallback, Handler)} * (async). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>async</td><td>1</td><td>The async font fetch works as follows. * First, check the local cache, then if the requeted font is not cached, trigger a * request the font and continue with layout inflation. Once the font fetch succeeds, the * target text view will be refreshed with the downloaded font data. The * fontProviderFetchTimeout will be ignored if async loading is specified.</td></tr> * <tr><td>blocking</td><td>0</td><td>The blocking font fetch works as follows. * First, check the local cache, then if the requested font is not cached, request the * font from the provider and wait until it is finished. You can change the length of * the timeout by modifying fontProviderFetchTimeout. If the timeout happens, the * default typeface will be used instead.</td></tr> * </table> */ public static final int fontProviderFetchStrategy=0x7f02007e; /** * The length of the timeout during fetching. * <p>May be an integer value, such as "<code>100</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>forever</td><td>ffffffff</td><td>A special value for the timeout. In this case, the blocking font fetching will not * timeout and wait until a reply is received from the font provider.</td></tr> * </table> */ public static final int fontProviderFetchTimeout=0x7f02007f; /** * The package for the Font Provider to be used for the request. This is used to verify * the identity of the provider. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderPackage=0x7f020080; /** * The query to be sent over to the provider. Refer to your font provider's documentation * on the format of this string. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontProviderQuery=0x7f020081; /** * The style of the given font file. This will be used when the font is being loaded into * the font stack and will override any style information in the font's header tables. If * unspecified, the value in the font's header tables will be used. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>italic</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> */ public static final int fontStyle=0x7f020082; /** * The variation settings to be applied to the font. The string should be in the following * format: "'tag1' value1, 'tag2' value2, ...". If the default variation settings should be * used, or the font used does not support variation settings, this attribute needs not be * specified. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int fontVariationSettings=0x7f020083; /** * The weight of the given font file. This will be used when the font is being loaded into * the font stack and will override any weight information in the font's header tables. Must * be a positive number, a multiple of 100, and between 100 and 900, inclusive. The most * common values are 400 for regular weight and 700 for bold weight. If unspecified, the value * in the font's header tables will be used. * <p>May be an integer value, such as "<code>100</code>". */ public static final int fontWeight=0x7f020084; /** * The max gap between the bars when they are parallel to each other * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int gapBetweenBars=0x7f020085; /** * Go button icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int goIcon=0x7f020086; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int height=0x7f020087; /** * Set true to hide the action bar on a vertical nested scroll of content. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int hideOnContentScroll=0x7f020088; /** * Specifies a drawable to use for the 'home as up' indicator. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int homeAsUpIndicator=0x7f020089; /** * Specifies a layout to use for the "home" section of the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int homeLayout=0x7f02008a; /** * Specifies the drawable used for the application icon. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int icon=0x7f02008b; /** * Tint to apply to the icon. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int iconTint=0x7f02008c; /** * Blending mode used to apply the icon tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the icon with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the icon, but with the icon’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the icon. The icon’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the icon. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int iconTintMode=0x7f02008d; /** * The default state of the SearchView. If true, it will be iconified when not in * use and expanded when clicked. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int iconifiedByDefault=0x7f02008e; /** * ImageButton background drawable. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int imageButtonStyle=0x7f02008f; /** * Specifies a style resource to use for an indeterminate progress spinner. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int indeterminateProgressStyle=0x7f020090; /** * The maximal number of items initially shown in the activity list. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int initialActivityCount=0x7f020091; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int isLightTheme=0x7f020092; /** * Specifies padding that should be applied to the left and right sides of * system-provided items in the bar. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int itemPadding=0x7f020093; /** * A reference to an array of integers representing the * locations of horizontal keylines in dp from the starting edge. * Child views can refer to these keylines for alignment using * layout_keyline="index" where index is a 0-based index into * this array. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int keylines=0x7f020094; /** * Distance from the bottom of the TextView to the last text baseline. If set, this * overrides the value set for paddingBottom. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int lastBaselineToBottomHeight=0x7f020095; /** * The layout to use for the search view. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int layout=0x7f020096; /** * The id of an anchor view that this view should position relative to. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int layout_anchor=0x7f020097; /** * Specifies how an object should position relative to an anchor, on both the X and Y axes, * within its parent's bounds. * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>center</td><td>11</td><td>Place the object in the center of its container in both the vertical and horizontal axis, not changing its size.</td></tr> * <tr><td>center_horizontal</td><td>1</td><td>Place object in the horizontal center of its container, not changing its size.</td></tr> * <tr><td>center_vertical</td><td>10</td><td>Place object in the vertical center of its container, not changing its size.</td></tr> * <tr><td>clip_horizontal</td><td>8</td><td>Additional option that can be set to have the left and/or right edges of * the child clipped to its container's bounds. * The clip will be based on the horizontal gravity: a left gravity will clip the right * edge, a right gravity will clip the left edge, and neither will clip both edges.</td></tr> * <tr><td>clip_vertical</td><td>80</td><td>Additional option that can be set to have the top and/or bottom edges of * the child clipped to its container's bounds. * The clip will be based on the vertical gravity: a top gravity will clip the bottom * edge, a bottom gravity will clip the top edge, and neither will clip both edges.</td></tr> * <tr><td>end</td><td>800005</td><td>Push object to the end of its container, not changing its size.</td></tr> * <tr><td>fill</td><td>77</td><td>Grow the horizontal and vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_horizontal</td><td>7</td><td>Grow the horizontal size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_vertical</td><td>70</td><td>Grow the vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>left</td><td>3</td><td>Push object to the left of its container, not changing its size.</td></tr> * <tr><td>right</td><td>5</td><td>Push object to the right of its container, not changing its size.</td></tr> * <tr><td>start</td><td>800003</td><td>Push object to the beginning of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> */ public static final int layout_anchorGravity=0x7f020098; /** * The class name of a Behavior class defining special runtime behavior * for this child view. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int layout_behavior=0x7f020099; /** * Specifies how this view dodges the inset edges of the CoordinatorLayout. * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>all</td><td>77</td><td>Dodge all the inset edges.</td></tr> * <tr><td>bottom</td><td>50</td><td>Dodge the bottom inset edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Dodge the end inset edge.</td></tr> * <tr><td>left</td><td>3</td><td>Dodge the left inset edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't dodge any edges</td></tr> * <tr><td>right</td><td>5</td><td>Dodge the right inset edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Dodge the start inset edge.</td></tr> * <tr><td>top</td><td>30</td><td>Dodge the top inset edge.</td></tr> * </table> */ public static final int layout_dodgeInsetEdges=0x7f02009a; /** * Specifies how this view insets the CoordinatorLayout and make some other views * dodge it. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td>Inset the bottom edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Inset the end edge.</td></tr> * <tr><td>left</td><td>3</td><td>Inset the left edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't inset.</td></tr> * <tr><td>right</td><td>5</td><td>Inset the right edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Inset the start edge.</td></tr> * <tr><td>top</td><td>30</td><td>Inset the top edge.</td></tr> * </table> */ public static final int layout_insetEdge=0x7f02009b; /** * The index of a keyline this view should position relative to. * android:layout_gravity will affect how the view aligns to the * specified keyline. * <p>May be an integer value, such as "<code>100</code>". */ public static final int layout_keyline=0x7f02009c; /** * Explicit height between lines of text. If set, this will override the values set * for lineSpacingExtra and lineSpacingMultiplier. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int lineHeight=0x7f02009d; /** * Drawable used as a background for selected list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listChoiceBackgroundIndicator=0x7f02009e; /** * The list divider used in alert dialogs. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listDividerAlertDialog=0x7f02009f; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listItemLayout=0x7f0200a0; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listLayout=0x7f0200a1; /** * Default menu-style ListView style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listMenuViewStyle=0x7f0200a2; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int listPopupWindowStyle=0x7f0200a3; /** * The preferred list item height. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemHeight=0x7f0200a4; /** * A larger, more robust list item height. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemHeightLarge=0x7f0200a5; /** * A smaller, sleeker list item height. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemHeightSmall=0x7f0200a6; /** * The preferred padding along the left edge of list items. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemPaddingLeft=0x7f0200a7; /** * The preferred padding along the right edge of list items. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int listPreferredItemPaddingRight=0x7f0200a8; /** * Specifies the drawable used for the application logo. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int logo=0x7f0200a9; /** * A content description string to describe the appearance of the * associated logo image. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int logoDescription=0x7f0200aa; /** * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int maxButtonHeight=0x7f0200ab; /** * When set to true, all children with a weight will be considered having * the minimum size of the largest child. If false, all children are * measured normally. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int measureWithLargestChild=0x7f0200ac; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int multiChoiceItemLayout=0x7f0200ad; /** * Text to set as the content description for the navigation button * located at the start of the toolbar. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int navigationContentDescription=0x7f0200ae; /** * Icon drawable to use for the navigation button located at * the start of the toolbar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int navigationIcon=0x7f0200af; /** * The type of navigation to use. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>listMode</td><td>1</td><td>The action bar will use a selection list for navigation.</td></tr> * <tr><td>normal</td><td>0</td><td>Normal static title text</td></tr> * <tr><td>tabMode</td><td>2</td><td>The action bar will use a series of horizontal tabs for navigation.</td></tr> * </table> */ public static final int navigationMode=0x7f0200b0; /** * The numeric modifier key. This is the modifier when using a numeric (e.g., 12-key) * keyboard. The values should be kept in sync with KeyEvent * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> */ public static final int numericModifiers=0x7f0200b1; /** * Whether the popup window should overlap its anchor view. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int overlapAnchor=0x7f0200b2; /** * A drawable or color to be used as an overlay. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int overlayImage=0x7f0200b3; /** * Bottom padding to use when no buttons are present. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingBottomNoButtons=0x7f0200b4; /** * Sets the padding, in pixels, of the end edge; see {@link android.R.attr#padding}. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingEnd=0x7f0200b5; /** * Sets the padding, in pixels, of the start edge; see {@link android.R.attr#padding}. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingStart=0x7f0200b6; /** * Top padding to use when no title is present. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int paddingTopNoTitle=0x7f0200b7; /** * The background of a panel when it is inset from the left and right edges of the screen. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int panelBackground=0x7f0200b8; /** * Default Panel Menu style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int panelMenuListTheme=0x7f0200b9; /** * Default Panel Menu width. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int panelMenuListWidth=0x7f0200ba; /** * A drawable or color to be be used as a placeholder. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int placeholderImage=0x7f0200bb; /** * Scale type of the placeholder image. Ignored if placeholderImage is not specified. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int placeholderImageScaleType=0x7f0200bc; /** * Default PopupMenu style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int popupMenuStyle=0x7f0200bd; /** * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int popupTheme=0x7f0200be; /** * Default PopupWindow style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int popupWindowStyle=0x7f0200bf; /** * Whether space should be reserved in layout when an icon is missing. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int preserveIconSpacing=0x7f0200c0; /** * A drawable or color to be used as a pressed-state-overlay * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int pressedStateOverlayImage=0x7f0200c1; /** * Progress bar Auto Rotate interval in milliseconds * <p>May be an integer value, such as "<code>100</code>". */ public static final int progressBarAutoRotateInterval=0x7f0200c2; /** * A drawable to be be used as a progress bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int progressBarImage=0x7f0200c3; /** * Scale type of the progress bar. Ignored if progressBarImage is not specified. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int progressBarImageScaleType=0x7f0200c4; /** * Specifies the horizontal padding on either end for an embedded progress bar. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int progressBarPadding=0x7f0200c5; /** * Specifies a style resource to use for an embedded progress bar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int progressBarStyle=0x7f0200c6; /** * Background for the section containing the search query * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int queryBackground=0x7f0200c7; /** * An optional user-defined query hint string to be displayed in the empty query field. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int queryHint=0x7f0200c8; /** * Default RadioButton style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int radioButtonStyle=0x7f0200c9; /** * Default RatingBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int ratingBarStyle=0x7f0200ca; /** * Indicator RatingBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int ratingBarStyleIndicator=0x7f0200cb; /** * Small indicator RatingBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int ratingBarStyleSmall=0x7f0200cc; /** * A drawable to be be used as a retry image. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int retryImage=0x7f0200cd; /** * Scale type of the retry image. Ignored if retryImage is not specified. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> */ public static final int retryImageScaleType=0x7f0200ce; /** * Round as circle. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundAsCircle=0x7f0200cf; /** * Round the bottom-end edge. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomEnd=0x7f0200d0; /** * Round the bottom-left corner. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomLeft=0x7f0200d1; /** * Round the bottom-right corner. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomRight=0x7f0200d2; /** * Round the bottom-start edge. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundBottomStart=0x7f0200d3; /** * Round the top-end edge. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopEnd=0x7f0200d4; /** * Round the top-left corner. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopLeft=0x7f0200d5; /** * Round the top-right corner. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopRight=0x7f0200d6; /** * Round the top-start edge. Ignored if roundAsCircle is used. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int roundTopStart=0x7f0200d7; /** * Round by overlying color. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int roundWithOverlayColor=0x7f0200d8; /** * Rounded corner radius. Ignored if roundAsCircle is used. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int roundedCornerRadius=0x7f0200d9; /** * Rounding border color * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int roundingBorderColor=0x7f0200da; /** * Rounding border padding * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int roundingBorderPadding=0x7f0200db; /** * Rounding border width * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int roundingBorderWidth=0x7f0200dc; /** * Search icon displayed as a text field hint * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int searchHintIcon=0x7f0200dd; /** * Search icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int searchIcon=0x7f0200de; /** * Style for the search query widget. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int searchViewStyle=0x7f0200df; /** * Default SeekBar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int seekBarStyle=0x7f0200e0; /** * A style that may be applied to buttons or other selectable items * that should react to pressed and focus states, but that do not * have a clear visual border along the edges. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int selectableItemBackground=0x7f0200e1; /** * Background drawable for borderless standalone items that need focus/pressed states. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int selectableItemBackgroundBorderless=0x7f0200e2; /** * How this item should display in the Action Bar, if present. * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>always</td><td>2</td><td>Always show this item in an actionbar, even if it would override * the system's limits of how much stuff to put there. This may make * your action bar look bad on some screens. In most cases you should * use "ifRoom" instead. Mutually exclusive with "ifRoom" and "never".</td></tr> * <tr><td>collapseActionView</td><td>8</td><td>This item's action view collapses to a normal menu * item. When expanded, the action view takes over a * larger segment of its container.</td></tr> * <tr><td>ifRoom</td><td>1</td><td>Show this item in an action bar if there is room for it as determined * by the system. Favor this option over "always" where possible. * Mutually exclusive with "never" and "always".</td></tr> * <tr><td>never</td><td>0</td><td>Never show this item in an action bar, show it in the overflow menu instead. * Mutually exclusive with "ifRoom" and "always".</td></tr> * <tr><td>withText</td><td>4</td><td>When this item is shown as an action in the action bar, show a text * label with it even if it has an icon representation.</td></tr> * </table> */ public static final int showAsAction=0x7f0200e3; /** * Setting for which dividers to show. * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>beginning</td><td>1</td><td></td></tr> * <tr><td>end</td><td>4</td><td></td></tr> * <tr><td>middle</td><td>2</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * </table> */ public static final int showDividers=0x7f0200e4; /** * Whether to draw on/off text. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int showText=0x7f0200e5; /** * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int showTitle=0x7f0200e6; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int singleChoiceItemLayout=0x7f0200e7; /** * Whether bars should rotate or not during transition * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int spinBars=0x7f0200e8; /** * Default Spinner style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int spinnerDropDownItemStyle=0x7f0200e9; /** * Default Spinner style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int spinnerStyle=0x7f0200ea; /** * Whether to split the track and leave a gap for the thumb drawable. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int splitTrack=0x7f0200eb; /** * Sets a drawable as the content of this ImageView. Allows the use of vector drawable * when running on older versions of the platform. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int srcCompat=0x7f0200ec; /** * State identifier indicating the popup will be above the anchor. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int state_above_anchor=0x7f0200ed; /** * Drawable to display behind the status bar when the view is set to draw behind it. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int statusBarBackground=0x7f0200ee; /** * Drawable for the arrow icon indicating a particular item is a submenu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int subMenuArrow=0x7f0200ef; /** * Background for the section containing the action (e.g. voice search) * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int submitBackground=0x7f0200f0; /** * Specifies subtitle text used for navigationMode="normal" * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int subtitle=0x7f0200f1; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int subtitleTextAppearance=0x7f0200f2; /** * A color to apply to the subtitle string. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int subtitleTextColor=0x7f0200f3; /** * Specifies a style to use for subtitle text. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int subtitleTextStyle=0x7f0200f4; /** * Layout for query suggestion rows * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int suggestionRowLayout=0x7f0200f5; /** * Minimum width for the switch component * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int switchMinWidth=0x7f0200f6; /** * Minimum space between the switch and caption text * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int switchPadding=0x7f0200f7; /** * Default style for the Switch widget. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int switchStyle=0x7f0200f8; /** * TextAppearance style for text displayed on the switch thumb. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int switchTextAppearance=0x7f0200f9; /** * Present the text in ALL CAPS. This may use a small-caps form when available. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int textAllCaps=0x7f0200fa; /** * Text color, typeface, size, and style for the text inside of a popup menu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceLargePopupMenu=0x7f0200fb; /** * The preferred TextAppearance for the primary text of list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceListItem=0x7f0200fc; /** * The preferred TextAppearance for the secondary text of list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceListItemSecondary=0x7f0200fd; /** * The preferred TextAppearance for the primary text of small list items. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceListItemSmall=0x7f0200fe; /** * Text color, typeface, size, and style for header text inside of a popup menu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearancePopupMenuHeader=0x7f0200ff; /** * Text color, typeface, size, and style for system search result subtitle. Defaults to primary inverse text color. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceSearchResultSubtitle=0x7f020100; /** * Text color, typeface, size, and style for system search result title. Defaults to primary inverse text color. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceSearchResultTitle=0x7f020101; /** * Text color, typeface, size, and style for small text inside of a popup menu. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int textAppearanceSmallPopupMenu=0x7f020102; /** * Color of list item text in alert dialogs. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int textColorAlertDialogListItem=0x7f020103; /** * Text color for urls in search suggestions, used by things like global search * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int textColorSearchUrl=0x7f020104; /** * Deprecated. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int theme=0x7f020105; /** * The thickness (stroke size) for the bar paint * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int thickness=0x7f020106; /** * Amount of padding on either side of text within the switch thumb. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int thumbTextPadding=0x7f020107; /** * Tint to apply to the thumb drawable. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int thumbTint=0x7f020108; /** * Blending mode used to apply the thumb tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int thumbTintMode=0x7f020109; /** * Drawable displayed at each progress position on a seekbar. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tickMark=0x7f02010a; /** * Tint to apply to the tick mark drawable. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tickMarkTint=0x7f02010b; /** * Blending mode used to apply the tick mark tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int tickMarkTintMode=0x7f02010c; /** * Tint to apply to the image source. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tint=0x7f02010d; /** * Blending mode used to apply the image source tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int tintMode=0x7f02010e; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int title=0x7f02010f; /** * Specifies extra space on the left, start, right and end sides * of the toolbar's title. Margin values should be positive. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMargin=0x7f020110; /** * Specifies extra space on the bottom side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginBottom=0x7f020111; /** * Specifies extra space on the end side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginEnd=0x7f020112; /** * Specifies extra space on the start side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginStart=0x7f020113; /** * Specifies extra space on the top side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ public static final int titleMarginTop=0x7f020114; /** * {@deprecated Use titleMargin} * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). */ @Deprecated public static final int titleMargins=0x7f020115; /** * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int titleTextAppearance=0x7f020116; /** * A color to apply to the title string. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int titleTextColor=0x7f020117; /** * Specifies a style to use for title text. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int titleTextStyle=0x7f020118; /** * Default Toolar NavigationButtonStyle * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int toolbarNavigationButtonStyle=0x7f020119; /** * Default Toolbar style. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int toolbarStyle=0x7f02011a; /** * Foreground color to use for tooltips * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int tooltipForegroundColor=0x7f02011b; /** * Background to use for tooltips * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int tooltipFrameBackground=0x7f02011c; /** * The tooltip text associated with the item. * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int tooltipText=0x7f02011d; /** * Drawable to use as the "track" that the switch thumb slides within. * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int track=0x7f02011e; /** * Tint to apply to the track. * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". */ public static final int trackTint=0x7f02011f; /** * Blending mode used to apply the track tint. * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> */ public static final int trackTintMode=0x7f020120; /** * The index of the font in the tcc font file. If the font file referenced is not in the * tcc format, this attribute needs not be specified. * <p>May be an integer value, such as "<code>100</code>". */ public static final int ttcIndex=0x7f020121; /** * Aspect ratio (width / height) of the view, not necessarily of the images. * <p>May be a floating point value, such as "<code>1.2</code>". */ public static final int viewAspectRatio=0x7f020122; /** * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; */ public static final int viewInflaterClass=0x7f020123; /** * Voice button icon * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". */ public static final int voiceIcon=0x7f020124; /** * Flag indicating whether this window should have an Action Bar * in place of the usual title bar. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionBar=0x7f020125; /** * Flag indicating whether this window's Action Bar should overlay * application content. Does nothing if the window would not * have an Action Bar. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionBarOverlay=0x7f020126; /** * Flag indicating whether action modes should overlay window content * when there is not reserved space for their UI (such as an Action Bar). * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowActionModeOverlay=0x7f020127; /** * A fixed height for the window along the major axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedHeightMajor=0x7f020128; /** * A fixed height for the window along the minor axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedHeightMinor=0x7f020129; /** * A fixed width for the window along the major axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedWidthMajor=0x7f02012a; /** * A fixed width for the window along the minor axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowFixedWidthMinor=0x7f02012b; /** * The minimum width the window is allowed to be, along the major * axis of the screen. That is, when in landscape. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowMinWidthMajor=0x7f02012c; /** * The minimum width the window is allowed to be, along the minor * axis of the screen. That is, when in portrait. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. */ public static final int windowMinWidthMinor=0x7f02012d; /** * Flag indicating whether there should be no title on this window. * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". */ public static final int windowNoTitle=0x7f02012e; } public static final class bool { public static final int abc_action_bar_embed_tabs=0x7f030000; public static final int abc_allow_stacked_button_bar=0x7f030001; public static final int abc_config_actionMenuItemAllCaps=0x7f030002; } public static final class color { public static final int abc_background_cache_hint_selector_material_dark=0x7f040000; public static final int abc_background_cache_hint_selector_material_light=0x7f040001; public static final int abc_btn_colored_borderless_text_material=0x7f040002; public static final int abc_btn_colored_text_material=0x7f040003; public static final int abc_color_highlight_material=0x7f040004; public static final int abc_hint_foreground_material_dark=0x7f040005; public static final int abc_hint_foreground_material_light=0x7f040006; public static final int abc_input_method_navigation_guard=0x7f040007; public static final int abc_primary_text_disable_only_material_dark=0x7f040008; public static final int abc_primary_text_disable_only_material_light=0x7f040009; public static final int abc_primary_text_material_dark=0x7f04000a; public static final int abc_primary_text_material_light=0x7f04000b; public static final int abc_search_url_text=0x7f04000c; public static final int abc_search_url_text_normal=0x7f04000d; public static final int abc_search_url_text_pressed=0x7f04000e; public static final int abc_search_url_text_selected=0x7f04000f; public static final int abc_secondary_text_material_dark=0x7f040010; public static final int abc_secondary_text_material_light=0x7f040011; public static final int abc_tint_btn_checkable=0x7f040012; public static final int abc_tint_default=0x7f040013; public static final int abc_tint_edittext=0x7f040014; public static final int abc_tint_seek_thumb=0x7f040015; public static final int abc_tint_spinner=0x7f040016; public static final int abc_tint_switch_track=0x7f040017; public static final int accent_material_dark=0x7f040018; public static final int accent_material_light=0x7f040019; public static final int background_floating_material_dark=0x7f04001a; public static final int background_floating_material_light=0x7f04001b; public static final int background_material_dark=0x7f04001c; public static final int background_material_light=0x7f04001d; public static final int bright_foreground_disabled_material_dark=0x7f04001e; public static final int bright_foreground_disabled_material_light=0x7f04001f; public static final int bright_foreground_inverse_material_dark=0x7f040020; public static final int bright_foreground_inverse_material_light=0x7f040021; public static final int bright_foreground_material_dark=0x7f040022; public static final int bright_foreground_material_light=0x7f040023; public static final int button_material_dark=0x7f040024; public static final int button_material_light=0x7f040025; public static final int catalyst_redbox_background=0x7f040026; public static final int dim_foreground_disabled_material_dark=0x7f040027; public static final int dim_foreground_disabled_material_light=0x7f040028; public static final int dim_foreground_material_dark=0x7f040029; public static final int dim_foreground_material_light=0x7f04002a; public static final int error_color_material_dark=0x7f04002b; public static final int error_color_material_light=0x7f04002c; public static final int foreground_material_dark=0x7f04002d; public static final int foreground_material_light=0x7f04002e; public static final int highlighted_text_material_dark=0x7f04002f; public static final int highlighted_text_material_light=0x7f040030; public static final int material_blue_grey_800=0x7f040031; public static final int material_blue_grey_900=0x7f040032; public static final int material_blue_grey_950=0x7f040033; public static final int material_deep_teal_200=0x7f040034; public static final int material_deep_teal_500=0x7f040035; public static final int material_grey_100=0x7f040036; public static final int material_grey_300=0x7f040037; public static final int material_grey_50=0x7f040038; public static final int material_grey_600=0x7f040039; public static final int material_grey_800=0x7f04003a; public static final int material_grey_850=0x7f04003b; public static final int material_grey_900=0x7f04003c; public static final int notification_action_color_filter=0x7f04003d; public static final int notification_icon_bg_color=0x7f04003e; public static final int primary_dark_material_dark=0x7f04003f; public static final int primary_dark_material_light=0x7f040040; public static final int primary_material_dark=0x7f040041; public static final int primary_material_light=0x7f040042; public static final int primary_text_default_material_dark=0x7f040043; public static final int primary_text_default_material_light=0x7f040044; public static final int primary_text_disabled_material_dark=0x7f040045; public static final int primary_text_disabled_material_light=0x7f040046; public static final int ripple_material_dark=0x7f040047; public static final int ripple_material_light=0x7f040048; public static final int secondary_text_default_material_dark=0x7f040049; public static final int secondary_text_default_material_light=0x7f04004a; public static final int secondary_text_disabled_material_dark=0x7f04004b; public static final int secondary_text_disabled_material_light=0x7f04004c; public static final int switch_thumb_disabled_material_dark=0x7f04004d; public static final int switch_thumb_disabled_material_light=0x7f04004e; public static final int switch_thumb_material_dark=0x7f04004f; public static final int switch_thumb_material_light=0x7f040050; public static final int switch_thumb_normal_material_dark=0x7f040051; public static final int switch_thumb_normal_material_light=0x7f040052; public static final int tooltip_background_dark=0x7f040053; public static final int tooltip_background_light=0x7f040054; } public static final class dimen { public static final int abc_action_bar_content_inset_material=0x7f050000; public static final int abc_action_bar_content_inset_with_nav=0x7f050001; public static final int abc_action_bar_default_height_material=0x7f050002; public static final int abc_action_bar_default_padding_end_material=0x7f050003; public static final int abc_action_bar_default_padding_start_material=0x7f050004; public static final int abc_action_bar_elevation_material=0x7f050005; public static final int abc_action_bar_icon_vertical_padding_material=0x7f050006; public static final int abc_action_bar_overflow_padding_end_material=0x7f050007; public static final int abc_action_bar_overflow_padding_start_material=0x7f050008; public static final int abc_action_bar_stacked_max_height=0x7f050009; public static final int abc_action_bar_stacked_tab_max_width=0x7f05000a; public static final int abc_action_bar_subtitle_bottom_margin_material=0x7f05000b; public static final int abc_action_bar_subtitle_top_margin_material=0x7f05000c; public static final int abc_action_button_min_height_material=0x7f05000d; public static final int abc_action_button_min_width_material=0x7f05000e; public static final int abc_action_button_min_width_overflow_material=0x7f05000f; public static final int abc_alert_dialog_button_bar_height=0x7f050010; public static final int abc_alert_dialog_button_dimen=0x7f050011; public static final int abc_button_inset_horizontal_material=0x7f050012; public static final int abc_button_inset_vertical_material=0x7f050013; public static final int abc_button_padding_horizontal_material=0x7f050014; public static final int abc_button_padding_vertical_material=0x7f050015; public static final int abc_cascading_menus_min_smallest_width=0x7f050016; public static final int abc_config_prefDialogWidth=0x7f050017; public static final int abc_control_corner_material=0x7f050018; public static final int abc_control_inset_material=0x7f050019; public static final int abc_control_padding_material=0x7f05001a; public static final int abc_dialog_corner_radius_material=0x7f05001b; public static final int abc_dialog_fixed_height_major=0x7f05001c; public static final int abc_dialog_fixed_height_minor=0x7f05001d; public static final int abc_dialog_fixed_width_major=0x7f05001e; public static final int abc_dialog_fixed_width_minor=0x7f05001f; public static final int abc_dialog_list_padding_bottom_no_buttons=0x7f050020; public static final int abc_dialog_list_padding_top_no_title=0x7f050021; public static final int abc_dialog_min_width_major=0x7f050022; public static final int abc_dialog_min_width_minor=0x7f050023; public static final int abc_dialog_padding_material=0x7f050024; public static final int abc_dialog_padding_top_material=0x7f050025; public static final int abc_dialog_title_divider_material=0x7f050026; public static final int abc_disabled_alpha_material_dark=0x7f050027; public static final int abc_disabled_alpha_material_light=0x7f050028; public static final int abc_dropdownitem_icon_width=0x7f050029; public static final int abc_dropdownitem_text_padding_left=0x7f05002a; public static final int abc_dropdownitem_text_padding_right=0x7f05002b; public static final int abc_edit_text_inset_bottom_material=0x7f05002c; public static final int abc_edit_text_inset_horizontal_material=0x7f05002d; public static final int abc_edit_text_inset_top_material=0x7f05002e; public static final int abc_floating_window_z=0x7f05002f; public static final int abc_list_item_padding_horizontal_material=0x7f050030; public static final int abc_panel_menu_list_width=0x7f050031; public static final int abc_progress_bar_height_material=0x7f050032; public static final int abc_search_view_preferred_height=0x7f050033; public static final int abc_search_view_preferred_width=0x7f050034; public static final int abc_seekbar_track_background_height_material=0x7f050035; public static final int abc_seekbar_track_progress_height_material=0x7f050036; public static final int abc_select_dialog_padding_start_material=0x7f050037; public static final int abc_switch_padding=0x7f050038; public static final int abc_text_size_body_1_material=0x7f050039; public static final int abc_text_size_body_2_material=0x7f05003a; public static final int abc_text_size_button_material=0x7f05003b; public static final int abc_text_size_caption_material=0x7f05003c; public static final int abc_text_size_display_1_material=0x7f05003d; public static final int abc_text_size_display_2_material=0x7f05003e; public static final int abc_text_size_display_3_material=0x7f05003f; public static final int abc_text_size_display_4_material=0x7f050040; public static final int abc_text_size_headline_material=0x7f050041; public static final int abc_text_size_large_material=0x7f050042; public static final int abc_text_size_medium_material=0x7f050043; public static final int abc_text_size_menu_header_material=0x7f050044; public static final int abc_text_size_menu_material=0x7f050045; public static final int abc_text_size_small_material=0x7f050046; public static final int abc_text_size_subhead_material=0x7f050047; public static final int abc_text_size_subtitle_material_toolbar=0x7f050048; public static final int abc_text_size_title_material=0x7f050049; public static final int abc_text_size_title_material_toolbar=0x7f05004a; public static final int compat_button_inset_horizontal_material=0x7f05004b; public static final int compat_button_inset_vertical_material=0x7f05004c; public static final int compat_button_padding_horizontal_material=0x7f05004d; public static final int compat_button_padding_vertical_material=0x7f05004e; public static final int compat_control_corner_material=0x7f05004f; public static final int compat_notification_large_icon_max_height=0x7f050050; public static final int compat_notification_large_icon_max_width=0x7f050051; public static final int disabled_alpha_material_dark=0x7f050052; public static final int disabled_alpha_material_light=0x7f050053; public static final int highlight_alpha_material_colored=0x7f050054; public static final int highlight_alpha_material_dark=0x7f050055; public static final int highlight_alpha_material_light=0x7f050056; public static final int hint_alpha_material_dark=0x7f050057; public static final int hint_alpha_material_light=0x7f050058; public static final int hint_pressed_alpha_material_dark=0x7f050059; public static final int hint_pressed_alpha_material_light=0x7f05005a; public static final int notification_action_icon_size=0x7f05005b; public static final int notification_action_text_size=0x7f05005c; public static final int notification_big_circle_margin=0x7f05005d; public static final int notification_content_margin_start=0x7f05005e; public static final int notification_large_icon_height=0x7f05005f; public static final int notification_large_icon_width=0x7f050060; public static final int notification_main_column_padding_top=0x7f050061; public static final int notification_media_narrow_margin=0x7f050062; public static final int notification_right_icon_size=0x7f050063; public static final int notification_right_side_padding_top=0x7f050064; public static final int notification_small_icon_background_padding=0x7f050065; public static final int notification_small_icon_size_as_large=0x7f050066; public static final int notification_subtext_size=0x7f050067; public static final int notification_top_pad=0x7f050068; public static final int notification_top_pad_large_text=0x7f050069; public static final int tooltip_corner_radius=0x7f05006a; public static final int tooltip_horizontal_padding=0x7f05006b; public static final int tooltip_margin=0x7f05006c; public static final int tooltip_precise_anchor_extra_offset=0x7f05006d; public static final int tooltip_precise_anchor_threshold=0x7f05006e; public static final int tooltip_vertical_padding=0x7f05006f; public static final int tooltip_y_offset_non_touch=0x7f050070; public static final int tooltip_y_offset_touch=0x7f050071; } public static final class drawable { public static final int abc_ab_share_pack_mtrl_alpha=0x7f060000; public static final int abc_action_bar_item_background_material=0x7f060001; public static final int abc_btn_borderless_material=0x7f060002; public static final int abc_btn_check_material=0x7f060003; public static final int abc_btn_check_to_on_mtrl_000=0x7f060004; public static final int abc_btn_check_to_on_mtrl_015=0x7f060005; public static final int abc_btn_colored_material=0x7f060006; public static final int abc_btn_default_mtrl_shape=0x7f060007; public static final int abc_btn_radio_material=0x7f060008; public static final int abc_btn_radio_to_on_mtrl_000=0x7f060009; public static final int abc_btn_radio_to_on_mtrl_015=0x7f06000a; public static final int abc_btn_switch_to_on_mtrl_00001=0x7f06000b; public static final int abc_btn_switch_to_on_mtrl_00012=0x7f06000c; public static final int abc_cab_background_internal_bg=0x7f06000d; public static final int abc_cab_background_top_material=0x7f06000e; public static final int abc_cab_background_top_mtrl_alpha=0x7f06000f; public static final int abc_control_background_material=0x7f060010; public static final int abc_dialog_material_background=0x7f060011; public static final int abc_edit_text_material=0x7f060012; public static final int abc_ic_ab_back_material=0x7f060013; public static final int abc_ic_arrow_drop_right_black_24dp=0x7f060014; public static final int abc_ic_clear_material=0x7f060015; public static final int abc_ic_commit_search_api_mtrl_alpha=0x7f060016; public static final int abc_ic_go_search_api_material=0x7f060017; public static final int abc_ic_menu_copy_mtrl_am_alpha=0x7f060018; public static final int abc_ic_menu_cut_mtrl_alpha=0x7f060019; public static final int abc_ic_menu_overflow_material=0x7f06001a; public static final int abc_ic_menu_paste_mtrl_am_alpha=0x7f06001b; public static final int abc_ic_menu_selectall_mtrl_alpha=0x7f06001c; public static final int abc_ic_menu_share_mtrl_alpha=0x7f06001d; public static final int abc_ic_search_api_material=0x7f06001e; public static final int abc_ic_star_black_16dp=0x7f06001f; public static final int abc_ic_star_black_36dp=0x7f060020; public static final int abc_ic_star_black_48dp=0x7f060021; public static final int abc_ic_star_half_black_16dp=0x7f060022; public static final int abc_ic_star_half_black_36dp=0x7f060023; public static final int abc_ic_star_half_black_48dp=0x7f060024; public static final int abc_ic_voice_search_api_material=0x7f060025; public static final int abc_item_background_holo_dark=0x7f060026; public static final int abc_item_background_holo_light=0x7f060027; public static final int abc_list_divider_material=0x7f060028; public static final int abc_list_divider_mtrl_alpha=0x7f060029; public static final int abc_list_focused_holo=0x7f06002a; public static final int abc_list_longpressed_holo=0x7f06002b; public static final int abc_list_pressed_holo_dark=0x7f06002c; public static final int abc_list_pressed_holo_light=0x7f06002d; public static final int abc_list_selector_background_transition_holo_dark=0x7f06002e; public static final int abc_list_selector_background_transition_holo_light=0x7f06002f; public static final int abc_list_selector_disabled_holo_dark=0x7f060030; public static final int abc_list_selector_disabled_holo_light=0x7f060031; public static final int abc_list_selector_holo_dark=0x7f060032; public static final int abc_list_selector_holo_light=0x7f060033; public static final int abc_menu_hardkey_panel_mtrl_mult=0x7f060034; public static final int abc_popup_background_mtrl_mult=0x7f060035; public static final int abc_ratingbar_indicator_material=0x7f060036; public static final int abc_ratingbar_material=0x7f060037; public static final int abc_ratingbar_small_material=0x7f060038; public static final int abc_scrubber_control_off_mtrl_alpha=0x7f060039; public static final int abc_scrubber_control_to_pressed_mtrl_000=0x7f06003a; public static final int abc_scrubber_control_to_pressed_mtrl_005=0x7f06003b; public static final int abc_scrubber_primary_mtrl_alpha=0x7f06003c; public static final int abc_scrubber_track_mtrl_alpha=0x7f06003d; public static final int abc_seekbar_thumb_material=0x7f06003e; public static final int abc_seekbar_tick_mark_material=0x7f06003f; public static final int abc_seekbar_track_material=0x7f060040; public static final int abc_spinner_mtrl_am_alpha=0x7f060041; public static final int abc_spinner_textfield_background_material=0x7f060042; public static final int abc_switch_thumb_material=0x7f060043; public static final int abc_switch_track_mtrl_alpha=0x7f060044; public static final int abc_tab_indicator_material=0x7f060045; public static final int abc_tab_indicator_mtrl_alpha=0x7f060046; public static final int abc_text_cursor_material=0x7f060047; public static final int abc_text_select_handle_left_mtrl_dark=0x7f060048; public static final int abc_text_select_handle_left_mtrl_light=0x7f060049; public static final int abc_text_select_handle_middle_mtrl_dark=0x7f06004a; public static final int abc_text_select_handle_middle_mtrl_light=0x7f06004b; public static final int abc_text_select_handle_right_mtrl_dark=0x7f06004c; public static final int abc_text_select_handle_right_mtrl_light=0x7f06004d; public static final int abc_textfield_activated_mtrl_alpha=0x7f06004e; public static final int abc_textfield_default_mtrl_alpha=0x7f06004f; public static final int abc_textfield_search_activated_mtrl_alpha=0x7f060050; public static final int abc_textfield_search_default_mtrl_alpha=0x7f060051; public static final int abc_textfield_search_material=0x7f060052; public static final int abc_vector_test=0x7f060053; public static final int notification_action_background=0x7f060054; public static final int notification_bg=0x7f060055; public static final int notification_bg_low=0x7f060056; public static final int notification_bg_low_normal=0x7f060057; public static final int notification_bg_low_pressed=0x7f060058; public static final int notification_bg_normal=0x7f060059; public static final int notification_bg_normal_pressed=0x7f06005a; public static final int notification_icon_background=0x7f06005b; public static final int notification_template_icon_bg=0x7f06005c; public static final int notification_template_icon_low_bg=0x7f06005d; public static final int notification_tile_bg=0x7f06005e; public static final int notify_panel_notification_icon_bg=0x7f06005f; public static final int redbox_top_border_background=0x7f060060; public static final int tooltip_frame_dark=0x7f060061; public static final int tooltip_frame_light=0x7f060062; } public static final class id { public static final int ALT=0x7f070000; public static final int CTRL=0x7f070001; public static final int FUNCTION=0x7f070002; public static final int META=0x7f070003; public static final int SHIFT=0x7f070004; public static final int SYM=0x7f070005; public static final int accessibility_actions=0x7f070006; public static final int accessibility_hint=0x7f070007; public static final int accessibility_label=0x7f070008; public static final int accessibility_role=0x7f070009; public static final int accessibility_state=0x7f07000a; public static final int accessibility_states=0x7f07000b; public static final int action_bar=0x7f07000c; public static final int action_bar_activity_content=0x7f07000d; public static final int action_bar_container=0x7f07000e; public static final int action_bar_root=0x7f07000f; public static final int action_bar_spinner=0x7f070010; public static final int action_bar_subtitle=0x7f070011; public static final int action_bar_title=0x7f070012; public static final int action_container=0x7f070013; public static final int action_context_bar=0x7f070014; public static final int action_divider=0x7f070015; public static final int action_image=0x7f070016; public static final int action_menu_divider=0x7f070017; public static final int action_menu_presenter=0x7f070018; public static final int action_mode_bar=0x7f070019; public static final int action_mode_bar_stub=0x7f07001a; public static final int action_mode_close_button=0x7f07001b; public static final int action_text=0x7f07001c; public static final int actions=0x7f07001d; public static final int activity_chooser_view_content=0x7f07001e; public static final int add=0x7f07001f; public static final int alertTitle=0x7f070020; public static final int all=0x7f070021; public static final int always=0x7f070022; public static final int async=0x7f070023; public static final int beginning=0x7f070024; public static final int blocking=0x7f070025; public static final int bottom=0x7f070026; public static final int buttonPanel=0x7f070027; public static final int catalyst_redbox_title=0x7f070028; public static final int center=0x7f070029; public static final int centerCrop=0x7f07002a; public static final int centerInside=0x7f07002b; public static final int center_horizontal=0x7f07002c; public static final int center_vertical=0x7f07002d; public static final int checkbox=0x7f07002e; public static final int chronometer=0x7f07002f; public static final int clip_horizontal=0x7f070030; public static final int clip_vertical=0x7f070031; public static final int collapseActionView=0x7f070032; public static final int content=0x7f070033; public static final int contentPanel=0x7f070034; public static final int custom=0x7f070035; public static final int customPanel=0x7f070036; public static final int decor_content_parent=0x7f070037; public static final int default_activity_button=0x7f070038; public static final int disableHome=0x7f070039; public static final int edit_query=0x7f07003a; public static final int end=0x7f07003b; public static final int expand_activities_button=0x7f07003c; public static final int expanded_menu=0x7f07003d; public static final int fill=0x7f07003e; public static final int fill_horizontal=0x7f07003f; public static final int fill_vertical=0x7f070040; public static final int fitBottomStart=0x7f070041; public static final int fitCenter=0x7f070042; public static final int fitEnd=0x7f070043; public static final int fitStart=0x7f070044; public static final int fitXY=0x7f070045; public static final int focusCrop=0x7f070046; public static final int forever=0x7f070047; public static final int fps_text=0x7f070048; public static final int group_divider=0x7f070049; public static final int home=0x7f07004a; public static final int homeAsUp=0x7f07004b; public static final int icon=0x7f07004c; public static final int icon_group=0x7f07004d; public static final int ifRoom=0x7f07004e; public static final int image=0x7f07004f; public static final int info=0x7f070050; public static final int italic=0x7f070051; public static final int left=0x7f070052; public static final int line1=0x7f070053; public static final int line3=0x7f070054; public static final int listMode=0x7f070055; public static final int list_item=0x7f070056; public static final int message=0x7f070057; public static final int middle=0x7f070058; public static final int multiply=0x7f070059; public static final int never=0x7f07005a; public static final int none=0x7f07005b; public static final int normal=0x7f07005c; public static final int notification_background=0x7f07005d; public static final int notification_main_column=0x7f07005e; public static final int notification_main_column_container=0x7f07005f; public static final int parentPanel=0x7f070060; public static final int progress_circular=0x7f070061; public static final int progress_horizontal=0x7f070062; public static final int radio=0x7f070063; public static final int react_test_id=0x7f070064; public static final int right=0x7f070065; public static final int right_icon=0x7f070066; public static final int right_side=0x7f070067; public static final int rn_frame_file=0x7f070068; public static final int rn_frame_method=0x7f070069; public static final int rn_redbox_dismiss_button=0x7f07006a; public static final int rn_redbox_line_separator=0x7f07006b; public static final int rn_redbox_loading_indicator=0x7f07006c; public static final int rn_redbox_reload_button=0x7f07006d; public static final int rn_redbox_report_button=0x7f07006e; public static final int rn_redbox_report_label=0x7f07006f; public static final int rn_redbox_stack=0x7f070070; public static final int screen=0x7f070071; public static final int scrollIndicatorDown=0x7f070072; public static final int scrollIndicatorUp=0x7f070073; public static final int scrollView=0x7f070074; public static final int search_badge=0x7f070075; public static final int search_bar=0x7f070076; public static final int search_button=0x7f070077; public static final int search_close_btn=0x7f070078; public static final int search_edit_frame=0x7f070079; public static final int search_go_btn=0x7f07007a; public static final int search_mag_icon=0x7f07007b; public static final int search_plate=0x7f07007c; public static final int search_src_text=0x7f07007d; public static final int search_voice_btn=0x7f07007e; public static final int select_dialog_listview=0x7f07007f; public static final int shortcut=0x7f070080; public static final int showCustom=0x7f070081; public static final int showHome=0x7f070082; public static final int showTitle=0x7f070083; public static final int spacer=0x7f070084; public static final int split_action_bar=0x7f070085; public static final int src_atop=0x7f070086; public static final int src_in=0x7f070087; public static final int src_over=0x7f070088; public static final int start=0x7f070089; public static final int submenuarrow=0x7f07008a; public static final int submit_area=0x7f07008b; public static final int tabMode=0x7f07008c; public static final int tag_transition_group=0x7f07008d; public static final int tag_unhandled_key_event_manager=0x7f07008e; public static final int tag_unhandled_key_listeners=0x7f07008f; public static final int text=0x7f070090; public static final int text2=0x7f070091; public static final int textSpacerNoButtons=0x7f070092; public static final int textSpacerNoTitle=0x7f070093; public static final int time=0x7f070094; public static final int title=0x7f070095; public static final int titleDividerNoCustom=0x7f070096; public static final int title_template=0x7f070097; public static final int top=0x7f070098; public static final int topPanel=0x7f070099; public static final int uniform=0x7f07009a; public static final int up=0x7f07009b; public static final int useLogo=0x7f07009c; public static final int view_tag_instance_handle=0x7f07009d; public static final int view_tag_native_id=0x7f07009e; public static final int withText=0x7f07009f; public static final int wrap_content=0x7f0700a0; } public static final class integer { public static final int abc_config_activityDefaultDur=0x7f080000; public static final int abc_config_activityShortDur=0x7f080001; public static final int cancel_button_image_alpha=0x7f080002; public static final int config_tooltipAnimTime=0x7f080003; public static final int react_native_dev_server_port=0x7f080004; public static final int react_native_inspector_proxy_port=0x7f080005; public static final int status_bar_notification_info_maxnum=0x7f080006; } public static final class layout { public static final int abc_action_bar_title_item=0x7f090000; public static final int abc_action_bar_up_container=0x7f090001; public static final int abc_action_menu_item_layout=0x7f090002; public static final int abc_action_menu_layout=0x7f090003; public static final int abc_action_mode_bar=0x7f090004; public static final int abc_action_mode_close_item_material=0x7f090005; public static final int abc_activity_chooser_view=0x7f090006; public static final int abc_activity_chooser_view_list_item=0x7f090007; public static final int abc_alert_dialog_button_bar_material=0x7f090008; public static final int abc_alert_dialog_material=0x7f090009; public static final int abc_alert_dialog_title_material=0x7f09000a; public static final int abc_cascading_menu_item_layout=0x7f09000b; public static final int abc_dialog_title_material=0x7f09000c; public static final int abc_expanded_menu_layout=0x7f09000d; public static final int abc_list_menu_item_checkbox=0x7f09000e; public static final int abc_list_menu_item_icon=0x7f09000f; public static final int abc_list_menu_item_layout=0x7f090010; public static final int abc_list_menu_item_radio=0x7f090011; public static final int abc_popup_menu_header_item_layout=0x7f090012; public static final int abc_popup_menu_item_layout=0x7f090013; public static final int abc_screen_content_include=0x7f090014; public static final int abc_screen_simple=0x7f090015; public static final int abc_screen_simple_overlay_action_mode=0x7f090016; public static final int abc_screen_toolbar=0x7f090017; public static final int abc_search_dropdown_item_icons_2line=0x7f090018; public static final int abc_search_view=0x7f090019; public static final int abc_select_dialog_material=0x7f09001a; public static final int abc_tooltip=0x7f09001b; public static final int dev_loading_view=0x7f09001c; public static final int fps_view=0x7f09001d; public static final int notification_action=0x7f09001e; public static final int notification_action_tombstone=0x7f09001f; public static final int notification_template_custom_big=0x7f090020; public static final int notification_template_icon_group=0x7f090021; public static final int notification_template_part_chronometer=0x7f090022; public static final int notification_template_part_time=0x7f090023; public static final int redbox_item_frame=0x7f090024; public static final int redbox_item_title=0x7f090025; public static final int redbox_view=0x7f090026; public static final int select_dialog_item_material=0x7f090027; public static final int select_dialog_multichoice_material=0x7f090028; public static final int select_dialog_singlechoice_material=0x7f090029; public static final int support_simple_spinner_dropdown_item=0x7f09002a; } public static final class mipmap { public static final int ic_launcher=0x7f0a0000; public static final int ic_launcher_round=0x7f0a0001; } public static final class string { public static final int abc_action_bar_home_description=0x7f0b0000; public static final int abc_action_bar_up_description=0x7f0b0001; public static final int abc_action_menu_overflow_description=0x7f0b0002; public static final int abc_action_mode_done=0x7f0b0003; public static final int abc_activity_chooser_view_see_all=0x7f0b0004; public static final int abc_activitychooserview_choose_application=0x7f0b0005; public static final int abc_capital_off=0x7f0b0006; public static final int abc_capital_on=0x7f0b0007; public static final int abc_font_family_body_1_material=0x7f0b0008; public static final int abc_font_family_body_2_material=0x7f0b0009; public static final int abc_font_family_button_material=0x7f0b000a; public static final int abc_font_family_caption_material=0x7f0b000b; public static final int abc_font_family_display_1_material=0x7f0b000c; public static final int abc_font_family_display_2_material=0x7f0b000d; public static final int abc_font_family_display_3_material=0x7f0b000e; public static final int abc_font_family_display_4_material=0x7f0b000f; public static final int abc_font_family_headline_material=0x7f0b0010; public static final int abc_font_family_menu_material=0x7f0b0011; public static final int abc_font_family_subhead_material=0x7f0b0012; public static final int abc_font_family_title_material=0x7f0b0013; public static final int abc_menu_alt_shortcut_label=0x7f0b0014; public static final int abc_menu_ctrl_shortcut_label=0x7f0b0015; public static final int abc_menu_delete_shortcut_label=0x7f0b0016; public static final int abc_menu_enter_shortcut_label=0x7f0b0017; public static final int abc_menu_function_shortcut_label=0x7f0b0018; public static final int abc_menu_meta_shortcut_label=0x7f0b0019; public static final int abc_menu_shift_shortcut_label=0x7f0b001a; public static final int abc_menu_space_shortcut_label=0x7f0b001b; public static final int abc_menu_sym_shortcut_label=0x7f0b001c; public static final int abc_prepend_shortcut_label=0x7f0b001d; public static final int abc_search_hint=0x7f0b001e; public static final int abc_searchview_description_clear=0x7f0b001f; public static final int abc_searchview_description_query=0x7f0b0020; public static final int abc_searchview_description_search=0x7f0b0021; public static final int abc_searchview_description_submit=0x7f0b0022; public static final int abc_searchview_description_voice=0x7f0b0023; public static final int abc_shareactionprovider_share_with=0x7f0b0024; public static final int abc_shareactionprovider_share_with_application=0x7f0b0025; public static final int abc_toolbar_collapse_description=0x7f0b0026; public static final int alert_description=0x7f0b0027; public static final int app_name=0x7f0b0028; public static final int catalyst_change_bundle_location=0x7f0b0029; public static final int catalyst_copy_button=0x7f0b002a; public static final int catalyst_debug=0x7f0b002b; public static final int catalyst_debug_chrome=0x7f0b002c; public static final int catalyst_debug_chrome_stop=0x7f0b002d; public static final int catalyst_debug_connecting=0x7f0b002e; public static final int catalyst_debug_error=0x7f0b002f; public static final int catalyst_debug_nuclide=0x7f0b0030; public static final int catalyst_debug_nuclide_error=0x7f0b0031; public static final int catalyst_debug_stop=0x7f0b0032; public static final int catalyst_dismiss_button=0x7f0b0033; public static final int catalyst_heap_capture=0x7f0b0034; public static final int catalyst_hot_reloading=0x7f0b0035; public static final int catalyst_hot_reloading_auto_disable=0x7f0b0036; public static final int catalyst_hot_reloading_auto_enable=0x7f0b0037; public static final int catalyst_hot_reloading_stop=0x7f0b0038; public static final int catalyst_inspector=0x7f0b0039; public static final int catalyst_loading_from_url=0x7f0b003a; public static final int catalyst_perf_monitor=0x7f0b003b; public static final int catalyst_perf_monitor_stop=0x7f0b003c; public static final int catalyst_reload=0x7f0b003d; public static final int catalyst_reload_button=0x7f0b003e; public static final int catalyst_reload_error=0x7f0b003f; public static final int catalyst_report_button=0x7f0b0040; public static final int catalyst_sample_profiler_disable=0x7f0b0041; public static final int catalyst_sample_profiler_enable=0x7f0b0042; public static final int catalyst_settings=0x7f0b0043; public static final int catalyst_settings_title=0x7f0b0044; public static final int combobox_description=0x7f0b0045; public static final int header_description=0x7f0b0046; public static final int image_description=0x7f0b0047; public static final int imagebutton_description=0x7f0b0048; public static final int link_description=0x7f0b0049; public static final int menu_description=0x7f0b004a; public static final int menubar_description=0x7f0b004b; public static final int menuitem_description=0x7f0b004c; public static final int progressbar_description=0x7f0b004d; public static final int radiogroup_description=0x7f0b004e; public static final int rn_tab_description=0x7f0b004f; public static final int scrollbar_description=0x7f0b0050; public static final int search_description=0x7f0b0051; public static final int search_menu_title=0x7f0b0052; public static final int spinbutton_description=0x7f0b0053; public static final int state_busy_description=0x7f0b0054; public static final int state_collapsed_description=0x7f0b0055; public static final int state_expanded_description=0x7f0b0056; public static final int state_mixed_description=0x7f0b0057; public static final int state_off_description=0x7f0b0058; public static final int state_on_description=0x7f0b0059; public static final int status_bar_notification_info_overflow=0x7f0b005a; public static final int summary_description=0x7f0b005b; public static final int tablist_description=0x7f0b005c; public static final int timer_description=0x7f0b005d; public static final int toolbar_description=0x7f0b005e; } public static final class style { public static final int AlertDialog_AppCompat=0x7f0c0000; public static final int AlertDialog_AppCompat_Light=0x7f0c0001; public static final int Animation_AppCompat_Dialog=0x7f0c0002; public static final int Animation_AppCompat_DropDownUp=0x7f0c0003; public static final int Animation_AppCompat_Tooltip=0x7f0c0004; public static final int Animation_Catalyst_RedBox=0x7f0c0005; public static final int AppTheme=0x7f0c0006; public static final int Base_AlertDialog_AppCompat=0x7f0c0007; public static final int Base_AlertDialog_AppCompat_Light=0x7f0c0008; public static final int Base_Animation_AppCompat_Dialog=0x7f0c0009; public static final int Base_Animation_AppCompat_DropDownUp=0x7f0c000a; public static final int Base_Animation_AppCompat_Tooltip=0x7f0c000b; public static final int Base_DialogWindowTitle_AppCompat=0x7f0c000c; public static final int Base_DialogWindowTitleBackground_AppCompat=0x7f0c000d; public static final int Base_TextAppearance_AppCompat=0x7f0c000e; public static final int Base_TextAppearance_AppCompat_Body1=0x7f0c000f; public static final int Base_TextAppearance_AppCompat_Body2=0x7f0c0010; public static final int Base_TextAppearance_AppCompat_Button=0x7f0c0011; public static final int Base_TextAppearance_AppCompat_Caption=0x7f0c0012; public static final int Base_TextAppearance_AppCompat_Display1=0x7f0c0013; public static final int Base_TextAppearance_AppCompat_Display2=0x7f0c0014; public static final int Base_TextAppearance_AppCompat_Display3=0x7f0c0015; public static final int Base_TextAppearance_AppCompat_Display4=0x7f0c0016; public static final int Base_TextAppearance_AppCompat_Headline=0x7f0c0017; public static final int Base_TextAppearance_AppCompat_Inverse=0x7f0c0018; public static final int Base_TextAppearance_AppCompat_Large=0x7f0c0019; public static final int Base_TextAppearance_AppCompat_Large_Inverse=0x7f0c001a; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0c001b; public static final int Base_TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0c001c; public static final int Base_TextAppearance_AppCompat_Medium=0x7f0c001d; public static final int Base_TextAppearance_AppCompat_Medium_Inverse=0x7f0c001e; public static final int Base_TextAppearance_AppCompat_Menu=0x7f0c001f; public static final int Base_TextAppearance_AppCompat_SearchResult=0x7f0c0020; public static final int Base_TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0c0021; public static final int Base_TextAppearance_AppCompat_SearchResult_Title=0x7f0c0022; public static final int Base_TextAppearance_AppCompat_Small=0x7f0c0023; public static final int Base_TextAppearance_AppCompat_Small_Inverse=0x7f0c0024; public static final int Base_TextAppearance_AppCompat_Subhead=0x7f0c0025; public static final int Base_TextAppearance_AppCompat_Subhead_Inverse=0x7f0c0026; public static final int Base_TextAppearance_AppCompat_Title=0x7f0c0027; public static final int Base_TextAppearance_AppCompat_Title_Inverse=0x7f0c0028; public static final int Base_TextAppearance_AppCompat_Tooltip=0x7f0c0029; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0c002a; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0c002b; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0c002c; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0c002d; public static final int Base_TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0c002e; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0c002f; public static final int Base_TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0c0030; public static final int Base_TextAppearance_AppCompat_Widget_Button=0x7f0c0031; public static final int Base_TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0c0032; public static final int Base_TextAppearance_AppCompat_Widget_Button_Colored=0x7f0c0033; public static final int Base_TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0c0034; public static final int Base_TextAppearance_AppCompat_Widget_DropDownItem=0x7f0c0035; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0c0036; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0c0037; public static final int Base_TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0c0038; public static final int Base_TextAppearance_AppCompat_Widget_Switch=0x7f0c0039; public static final int Base_TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0c003a; public static final int Base_TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0c003b; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0c003c; public static final int Base_TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0c003d; public static final int Base_Theme_AppCompat=0x7f0c003e; public static final int Base_Theme_AppCompat_CompactMenu=0x7f0c003f; public static final int Base_Theme_AppCompat_Dialog=0x7f0c0040; public static final int Base_Theme_AppCompat_Dialog_Alert=0x7f0c0041; public static final int Base_Theme_AppCompat_Dialog_FixedSize=0x7f0c0042; public static final int Base_Theme_AppCompat_Dialog_MinWidth=0x7f0c0043; public static final int Base_Theme_AppCompat_DialogWhenLarge=0x7f0c0044; public static final int Base_Theme_AppCompat_Light=0x7f0c0045; public static final int Base_Theme_AppCompat_Light_DarkActionBar=0x7f0c0046; public static final int Base_Theme_AppCompat_Light_Dialog=0x7f0c0047; public static final int Base_Theme_AppCompat_Light_Dialog_Alert=0x7f0c0048; public static final int Base_Theme_AppCompat_Light_Dialog_FixedSize=0x7f0c0049; public static final int Base_Theme_AppCompat_Light_Dialog_MinWidth=0x7f0c004a; public static final int Base_Theme_AppCompat_Light_DialogWhenLarge=0x7f0c004b; public static final int Base_ThemeOverlay_AppCompat=0x7f0c004c; public static final int Base_ThemeOverlay_AppCompat_ActionBar=0x7f0c004d; public static final int Base_ThemeOverlay_AppCompat_Dark=0x7f0c004e; public static final int Base_ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0c004f; public static final int Base_ThemeOverlay_AppCompat_Dialog=0x7f0c0050; public static final int Base_ThemeOverlay_AppCompat_Dialog_Alert=0x7f0c0051; public static final int Base_ThemeOverlay_AppCompat_Light=0x7f0c0052; public static final int Base_V21_Theme_AppCompat=0x7f0c0053; public static final int Base_V21_Theme_AppCompat_Dialog=0x7f0c0054; public static final int Base_V21_Theme_AppCompat_Light=0x7f0c0055; public static final int Base_V21_Theme_AppCompat_Light_Dialog=0x7f0c0056; public static final int Base_V21_ThemeOverlay_AppCompat_Dialog=0x7f0c0057; public static final int Base_V22_Theme_AppCompat=0x7f0c0058; public static final int Base_V22_Theme_AppCompat_Light=0x7f0c0059; public static final int Base_V23_Theme_AppCompat=0x7f0c005a; public static final int Base_V23_Theme_AppCompat_Light=0x7f0c005b; public static final int Base_V26_Theme_AppCompat=0x7f0c005c; public static final int Base_V26_Theme_AppCompat_Light=0x7f0c005d; public static final int Base_V26_Widget_AppCompat_Toolbar=0x7f0c005e; public static final int Base_V28_Theme_AppCompat=0x7f0c005f; public static final int Base_V28_Theme_AppCompat_Light=0x7f0c0060; public static final int Base_V7_Theme_AppCompat=0x7f0c0061; public static final int Base_V7_Theme_AppCompat_Dialog=0x7f0c0062; public static final int Base_V7_Theme_AppCompat_Light=0x7f0c0063; public static final int Base_V7_Theme_AppCompat_Light_Dialog=0x7f0c0064; public static final int Base_V7_ThemeOverlay_AppCompat_Dialog=0x7f0c0065; public static final int Base_V7_Widget_AppCompat_AutoCompleteTextView=0x7f0c0066; public static final int Base_V7_Widget_AppCompat_EditText=0x7f0c0067; public static final int Base_V7_Widget_AppCompat_Toolbar=0x7f0c0068; public static final int Base_Widget_AppCompat_ActionBar=0x7f0c0069; public static final int Base_Widget_AppCompat_ActionBar_Solid=0x7f0c006a; public static final int Base_Widget_AppCompat_ActionBar_TabBar=0x7f0c006b; public static final int Base_Widget_AppCompat_ActionBar_TabText=0x7f0c006c; public static final int Base_Widget_AppCompat_ActionBar_TabView=0x7f0c006d; public static final int Base_Widget_AppCompat_ActionButton=0x7f0c006e; public static final int Base_Widget_AppCompat_ActionButton_CloseMode=0x7f0c006f; public static final int Base_Widget_AppCompat_ActionButton_Overflow=0x7f0c0070; public static final int Base_Widget_AppCompat_ActionMode=0x7f0c0071; public static final int Base_Widget_AppCompat_ActivityChooserView=0x7f0c0072; public static final int Base_Widget_AppCompat_AutoCompleteTextView=0x7f0c0073; public static final int Base_Widget_AppCompat_Button=0x7f0c0074; public static final int Base_Widget_AppCompat_Button_Borderless=0x7f0c0075; public static final int Base_Widget_AppCompat_Button_Borderless_Colored=0x7f0c0076; public static final int Base_Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0c0077; public static final int Base_Widget_AppCompat_Button_Colored=0x7f0c0078; public static final int Base_Widget_AppCompat_Button_Small=0x7f0c0079; public static final int Base_Widget_AppCompat_ButtonBar=0x7f0c007a; public static final int Base_Widget_AppCompat_ButtonBar_AlertDialog=0x7f0c007b; public static final int Base_Widget_AppCompat_CompoundButton_CheckBox=0x7f0c007c; public static final int Base_Widget_AppCompat_CompoundButton_RadioButton=0x7f0c007d; public static final int Base_Widget_AppCompat_CompoundButton_Switch=0x7f0c007e; public static final int Base_Widget_AppCompat_DrawerArrowToggle=0x7f0c007f; public static final int Base_Widget_AppCompat_DrawerArrowToggle_Common=0x7f0c0080; public static final int Base_Widget_AppCompat_DropDownItem_Spinner=0x7f0c0081; public static final int Base_Widget_AppCompat_EditText=0x7f0c0082; public static final int Base_Widget_AppCompat_ImageButton=0x7f0c0083; public static final int Base_Widget_AppCompat_Light_ActionBar=0x7f0c0084; public static final int Base_Widget_AppCompat_Light_ActionBar_Solid=0x7f0c0085; public static final int Base_Widget_AppCompat_Light_ActionBar_TabBar=0x7f0c0086; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText=0x7f0c0087; public static final int Base_Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0c0088; public static final int Base_Widget_AppCompat_Light_ActionBar_TabView=0x7f0c0089; public static final int Base_Widget_AppCompat_Light_PopupMenu=0x7f0c008a; public static final int Base_Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0c008b; public static final int Base_Widget_AppCompat_ListMenuView=0x7f0c008c; public static final int Base_Widget_AppCompat_ListPopupWindow=0x7f0c008d; public static final int Base_Widget_AppCompat_ListView=0x7f0c008e; public static final int Base_Widget_AppCompat_ListView_DropDown=0x7f0c008f; public static final int Base_Widget_AppCompat_ListView_Menu=0x7f0c0090; public static final int Base_Widget_AppCompat_PopupMenu=0x7f0c0091; public static final int Base_Widget_AppCompat_PopupMenu_Overflow=0x7f0c0092; public static final int Base_Widget_AppCompat_PopupWindow=0x7f0c0093; public static final int Base_Widget_AppCompat_ProgressBar=0x7f0c0094; public static final int Base_Widget_AppCompat_ProgressBar_Horizontal=0x7f0c0095; public static final int Base_Widget_AppCompat_RatingBar=0x7f0c0096; public static final int Base_Widget_AppCompat_RatingBar_Indicator=0x7f0c0097; public static final int Base_Widget_AppCompat_RatingBar_Small=0x7f0c0098; public static final int Base_Widget_AppCompat_SearchView=0x7f0c0099; public static final int Base_Widget_AppCompat_SearchView_ActionBar=0x7f0c009a; public static final int Base_Widget_AppCompat_SeekBar=0x7f0c009b; public static final int Base_Widget_AppCompat_SeekBar_Discrete=0x7f0c009c; public static final int Base_Widget_AppCompat_Spinner=0x7f0c009d; public static final int Base_Widget_AppCompat_Spinner_Underlined=0x7f0c009e; public static final int Base_Widget_AppCompat_TextView_SpinnerItem=0x7f0c009f; public static final int Base_Widget_AppCompat_Toolbar=0x7f0c00a0; public static final int Base_Widget_AppCompat_Toolbar_Button_Navigation=0x7f0c00a1; public static final int CalendarDatePickerDialog=0x7f0c00a2; public static final int CalendarDatePickerStyle=0x7f0c00a3; public static final int ClockTimePickerDialog=0x7f0c00a4; public static final int ClockTimePickerStyle=0x7f0c00a5; public static final int DialogAnimationFade=0x7f0c00a6; public static final int DialogAnimationSlide=0x7f0c00a7; public static final int Platform_AppCompat=0x7f0c00a8; public static final int Platform_AppCompat_Light=0x7f0c00a9; public static final int Platform_ThemeOverlay_AppCompat=0x7f0c00aa; public static final int Platform_ThemeOverlay_AppCompat_Dark=0x7f0c00ab; public static final int Platform_ThemeOverlay_AppCompat_Light=0x7f0c00ac; public static final int Platform_V21_AppCompat=0x7f0c00ad; public static final int Platform_V21_AppCompat_Light=0x7f0c00ae; public static final int Platform_V25_AppCompat=0x7f0c00af; public static final int Platform_V25_AppCompat_Light=0x7f0c00b0; public static final int Platform_Widget_AppCompat_Spinner=0x7f0c00b1; public static final int RtlOverlay_DialogWindowTitle_AppCompat=0x7f0c00b2; public static final int RtlOverlay_Widget_AppCompat_ActionBar_TitleItem=0x7f0c00b3; public static final int RtlOverlay_Widget_AppCompat_DialogTitle_Icon=0x7f0c00b4; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem=0x7f0c00b5; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_InternalGroup=0x7f0c00b6; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Shortcut=0x7f0c00b7; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_SubmenuArrow=0x7f0c00b8; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Text=0x7f0c00b9; public static final int RtlOverlay_Widget_AppCompat_PopupMenuItem_Title=0x7f0c00ba; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown=0x7f0c00bb; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon1=0x7f0c00bc; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Icon2=0x7f0c00bd; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Query=0x7f0c00be; public static final int RtlOverlay_Widget_AppCompat_Search_DropDown_Text=0x7f0c00bf; public static final int RtlOverlay_Widget_AppCompat_SearchView_MagIcon=0x7f0c00c0; public static final int RtlUnderlay_Widget_AppCompat_ActionButton=0x7f0c00c1; public static final int RtlUnderlay_Widget_AppCompat_ActionButton_Overflow=0x7f0c00c2; public static final int SpinnerDatePickerDialog=0x7f0c00c3; public static final int SpinnerDatePickerStyle=0x7f0c00c4; public static final int SpinnerTimePickerDialog=0x7f0c00c5; public static final int SpinnerTimePickerStyle=0x7f0c00c6; public static final int TextAppearance_AppCompat=0x7f0c00c7; public static final int TextAppearance_AppCompat_Body1=0x7f0c00c8; public static final int TextAppearance_AppCompat_Body2=0x7f0c00c9; public static final int TextAppearance_AppCompat_Button=0x7f0c00ca; public static final int TextAppearance_AppCompat_Caption=0x7f0c00cb; public static final int TextAppearance_AppCompat_Display1=0x7f0c00cc; public static final int TextAppearance_AppCompat_Display2=0x7f0c00cd; public static final int TextAppearance_AppCompat_Display3=0x7f0c00ce; public static final int TextAppearance_AppCompat_Display4=0x7f0c00cf; public static final int TextAppearance_AppCompat_Headline=0x7f0c00d0; public static final int TextAppearance_AppCompat_Inverse=0x7f0c00d1; public static final int TextAppearance_AppCompat_Large=0x7f0c00d2; public static final int TextAppearance_AppCompat_Large_Inverse=0x7f0c00d3; public static final int TextAppearance_AppCompat_Light_SearchResult_Subtitle=0x7f0c00d4; public static final int TextAppearance_AppCompat_Light_SearchResult_Title=0x7f0c00d5; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Large=0x7f0c00d6; public static final int TextAppearance_AppCompat_Light_Widget_PopupMenu_Small=0x7f0c00d7; public static final int TextAppearance_AppCompat_Medium=0x7f0c00d8; public static final int TextAppearance_AppCompat_Medium_Inverse=0x7f0c00d9; public static final int TextAppearance_AppCompat_Menu=0x7f0c00da; public static final int TextAppearance_AppCompat_SearchResult_Subtitle=0x7f0c00db; public static final int TextAppearance_AppCompat_SearchResult_Title=0x7f0c00dc; public static final int TextAppearance_AppCompat_Small=0x7f0c00dd; public static final int TextAppearance_AppCompat_Small_Inverse=0x7f0c00de; public static final int TextAppearance_AppCompat_Subhead=0x7f0c00df; public static final int TextAppearance_AppCompat_Subhead_Inverse=0x7f0c00e0; public static final int TextAppearance_AppCompat_Title=0x7f0c00e1; public static final int TextAppearance_AppCompat_Title_Inverse=0x7f0c00e2; public static final int TextAppearance_AppCompat_Tooltip=0x7f0c00e3; public static final int TextAppearance_AppCompat_Widget_ActionBar_Menu=0x7f0c00e4; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle=0x7f0c00e5; public static final int TextAppearance_AppCompat_Widget_ActionBar_Subtitle_Inverse=0x7f0c00e6; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title=0x7f0c00e7; public static final int TextAppearance_AppCompat_Widget_ActionBar_Title_Inverse=0x7f0c00e8; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle=0x7f0c00e9; public static final int TextAppearance_AppCompat_Widget_ActionMode_Subtitle_Inverse=0x7f0c00ea; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title=0x7f0c00eb; public static final int TextAppearance_AppCompat_Widget_ActionMode_Title_Inverse=0x7f0c00ec; public static final int TextAppearance_AppCompat_Widget_Button=0x7f0c00ed; public static final int TextAppearance_AppCompat_Widget_Button_Borderless_Colored=0x7f0c00ee; public static final int TextAppearance_AppCompat_Widget_Button_Colored=0x7f0c00ef; public static final int TextAppearance_AppCompat_Widget_Button_Inverse=0x7f0c00f0; public static final int TextAppearance_AppCompat_Widget_DropDownItem=0x7f0c00f1; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Header=0x7f0c00f2; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Large=0x7f0c00f3; public static final int TextAppearance_AppCompat_Widget_PopupMenu_Small=0x7f0c00f4; public static final int TextAppearance_AppCompat_Widget_Switch=0x7f0c00f5; public static final int TextAppearance_AppCompat_Widget_TextView_SpinnerItem=0x7f0c00f6; public static final int TextAppearance_Compat_Notification=0x7f0c00f7; public static final int TextAppearance_Compat_Notification_Info=0x7f0c00f8; public static final int TextAppearance_Compat_Notification_Line2=0x7f0c00f9; public static final int TextAppearance_Compat_Notification_Time=0x7f0c00fa; public static final int TextAppearance_Compat_Notification_Title=0x7f0c00fb; public static final int TextAppearance_Widget_AppCompat_ExpandedMenu_Item=0x7f0c00fc; public static final int TextAppearance_Widget_AppCompat_Toolbar_Subtitle=0x7f0c00fd; public static final int TextAppearance_Widget_AppCompat_Toolbar_Title=0x7f0c00fe; public static final int Theme=0x7f0c00ff; public static final int Theme_AppCompat=0x7f0c0100; public static final int Theme_AppCompat_CompactMenu=0x7f0c0101; public static final int Theme_AppCompat_DayNight=0x7f0c0102; public static final int Theme_AppCompat_DayNight_DarkActionBar=0x7f0c0103; public static final int Theme_AppCompat_DayNight_Dialog=0x7f0c0104; public static final int Theme_AppCompat_DayNight_Dialog_Alert=0x7f0c0105; public static final int Theme_AppCompat_DayNight_Dialog_MinWidth=0x7f0c0106; public static final int Theme_AppCompat_DayNight_DialogWhenLarge=0x7f0c0107; public static final int Theme_AppCompat_DayNight_NoActionBar=0x7f0c0108; public static final int Theme_AppCompat_Dialog=0x7f0c0109; public static final int Theme_AppCompat_Dialog_Alert=0x7f0c010a; public static final int Theme_AppCompat_Dialog_MinWidth=0x7f0c010b; public static final int Theme_AppCompat_DialogWhenLarge=0x7f0c010c; public static final int Theme_AppCompat_Light=0x7f0c010d; public static final int Theme_AppCompat_Light_DarkActionBar=0x7f0c010e; public static final int Theme_AppCompat_Light_Dialog=0x7f0c010f; public static final int Theme_AppCompat_Light_Dialog_Alert=0x7f0c0110; public static final int Theme_AppCompat_Light_Dialog_MinWidth=0x7f0c0111; public static final int Theme_AppCompat_Light_DialogWhenLarge=0x7f0c0112; public static final int Theme_AppCompat_Light_NoActionBar=0x7f0c0113; public static final int Theme_AppCompat_NoActionBar=0x7f0c0114; public static final int Theme_Catalyst=0x7f0c0115; public static final int Theme_Catalyst_RedBox=0x7f0c0116; public static final int Theme_FullScreenDialog=0x7f0c0117; public static final int Theme_FullScreenDialogAnimatedFade=0x7f0c0118; public static final int Theme_FullScreenDialogAnimatedSlide=0x7f0c0119; public static final int Theme_ReactNative_AppCompat_Light=0x7f0c011a; public static final int Theme_ReactNative_AppCompat_Light_NoActionBar_FullScreen=0x7f0c011b; public static final int ThemeOverlay_AppCompat=0x7f0c011c; public static final int ThemeOverlay_AppCompat_ActionBar=0x7f0c011d; public static final int ThemeOverlay_AppCompat_Dark=0x7f0c011e; public static final int ThemeOverlay_AppCompat_Dark_ActionBar=0x7f0c011f; public static final int ThemeOverlay_AppCompat_Dialog=0x7f0c0120; public static final int ThemeOverlay_AppCompat_Dialog_Alert=0x7f0c0121; public static final int ThemeOverlay_AppCompat_Light=0x7f0c0122; public static final int Widget_AppCompat_ActionBar=0x7f0c0123; public static final int Widget_AppCompat_ActionBar_Solid=0x7f0c0124; public static final int Widget_AppCompat_ActionBar_TabBar=0x7f0c0125; public static final int Widget_AppCompat_ActionBar_TabText=0x7f0c0126; public static final int Widget_AppCompat_ActionBar_TabView=0x7f0c0127; public static final int Widget_AppCompat_ActionButton=0x7f0c0128; public static final int Widget_AppCompat_ActionButton_CloseMode=0x7f0c0129; public static final int Widget_AppCompat_ActionButton_Overflow=0x7f0c012a; public static final int Widget_AppCompat_ActionMode=0x7f0c012b; public static final int Widget_AppCompat_ActivityChooserView=0x7f0c012c; public static final int Widget_AppCompat_AutoCompleteTextView=0x7f0c012d; public static final int Widget_AppCompat_Button=0x7f0c012e; public static final int Widget_AppCompat_Button_Borderless=0x7f0c012f; public static final int Widget_AppCompat_Button_Borderless_Colored=0x7f0c0130; public static final int Widget_AppCompat_Button_ButtonBar_AlertDialog=0x7f0c0131; public static final int Widget_AppCompat_Button_Colored=0x7f0c0132; public static final int Widget_AppCompat_Button_Small=0x7f0c0133; public static final int Widget_AppCompat_ButtonBar=0x7f0c0134; public static final int Widget_AppCompat_ButtonBar_AlertDialog=0x7f0c0135; public static final int Widget_AppCompat_CompoundButton_CheckBox=0x7f0c0136; public static final int Widget_AppCompat_CompoundButton_RadioButton=0x7f0c0137; public static final int Widget_AppCompat_CompoundButton_Switch=0x7f0c0138; public static final int Widget_AppCompat_DrawerArrowToggle=0x7f0c0139; public static final int Widget_AppCompat_DropDownItem_Spinner=0x7f0c013a; public static final int Widget_AppCompat_EditText=0x7f0c013b; public static final int Widget_AppCompat_ImageButton=0x7f0c013c; public static final int Widget_AppCompat_Light_ActionBar=0x7f0c013d; public static final int Widget_AppCompat_Light_ActionBar_Solid=0x7f0c013e; public static final int Widget_AppCompat_Light_ActionBar_Solid_Inverse=0x7f0c013f; public static final int Widget_AppCompat_Light_ActionBar_TabBar=0x7f0c0140; public static final int Widget_AppCompat_Light_ActionBar_TabBar_Inverse=0x7f0c0141; public static final int Widget_AppCompat_Light_ActionBar_TabText=0x7f0c0142; public static final int Widget_AppCompat_Light_ActionBar_TabText_Inverse=0x7f0c0143; public static final int Widget_AppCompat_Light_ActionBar_TabView=0x7f0c0144; public static final int Widget_AppCompat_Light_ActionBar_TabView_Inverse=0x7f0c0145; public static final int Widget_AppCompat_Light_ActionButton=0x7f0c0146; public static final int Widget_AppCompat_Light_ActionButton_CloseMode=0x7f0c0147; public static final int Widget_AppCompat_Light_ActionButton_Overflow=0x7f0c0148; public static final int Widget_AppCompat_Light_ActionMode_Inverse=0x7f0c0149; public static final int Widget_AppCompat_Light_ActivityChooserView=0x7f0c014a; public static final int Widget_AppCompat_Light_AutoCompleteTextView=0x7f0c014b; public static final int Widget_AppCompat_Light_DropDownItem_Spinner=0x7f0c014c; public static final int Widget_AppCompat_Light_ListPopupWindow=0x7f0c014d; public static final int Widget_AppCompat_Light_ListView_DropDown=0x7f0c014e; public static final int Widget_AppCompat_Light_PopupMenu=0x7f0c014f; public static final int Widget_AppCompat_Light_PopupMenu_Overflow=0x7f0c0150; public static final int Widget_AppCompat_Light_SearchView=0x7f0c0151; public static final int Widget_AppCompat_Light_Spinner_DropDown_ActionBar=0x7f0c0152; public static final int Widget_AppCompat_ListMenuView=0x7f0c0153; public static final int Widget_AppCompat_ListPopupWindow=0x7f0c0154; public static final int Widget_AppCompat_ListView=0x7f0c0155; public static final int Widget_AppCompat_ListView_DropDown=0x7f0c0156; public static final int Widget_AppCompat_ListView_Menu=0x7f0c0157; public static final int Widget_AppCompat_PopupMenu=0x7f0c0158; public static final int Widget_AppCompat_PopupMenu_Overflow=0x7f0c0159; public static final int Widget_AppCompat_PopupWindow=0x7f0c015a; public static final int Widget_AppCompat_ProgressBar=0x7f0c015b; public static final int Widget_AppCompat_ProgressBar_Horizontal=0x7f0c015c; public static final int Widget_AppCompat_RatingBar=0x7f0c015d; public static final int Widget_AppCompat_RatingBar_Indicator=0x7f0c015e; public static final int Widget_AppCompat_RatingBar_Small=0x7f0c015f; public static final int Widget_AppCompat_SearchView=0x7f0c0160; public static final int Widget_AppCompat_SearchView_ActionBar=0x7f0c0161; public static final int Widget_AppCompat_SeekBar=0x7f0c0162; public static final int Widget_AppCompat_SeekBar_Discrete=0x7f0c0163; public static final int Widget_AppCompat_Spinner=0x7f0c0164; public static final int Widget_AppCompat_Spinner_DropDown=0x7f0c0165; public static final int Widget_AppCompat_Spinner_DropDown_ActionBar=0x7f0c0166; public static final int Widget_AppCompat_Spinner_Underlined=0x7f0c0167; public static final int Widget_AppCompat_TextView_SpinnerItem=0x7f0c0168; public static final int Widget_AppCompat_Toolbar=0x7f0c0169; public static final int Widget_AppCompat_Toolbar_Button_Navigation=0x7f0c016a; public static final int Widget_Compat_NotificationActionContainer=0x7f0c016b; public static final int Widget_Compat_NotificationActionText=0x7f0c016c; public static final int Widget_Support_CoordinatorLayout=0x7f0c016d; public static final int redboxButton=0x7f0c016e; } 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.saitama:background}</code></td><td>Specifies a background drawable for the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_backgroundSplit com.saitama:backgroundSplit}</code></td><td>Specifies a background drawable for the bottom component of a split action bar.</td></tr> * <tr><td><code>{@link #ActionBar_backgroundStacked com.saitama:backgroundStacked}</code></td><td>Specifies a background drawable for a second stacked row of the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetEnd com.saitama:contentInsetEnd}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetEndWithActions com.saitama:contentInsetEndWithActions}</code></td><td>Minimum inset for content views within a bar when actions from a menu * are present.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetLeft com.saitama:contentInsetLeft}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetRight com.saitama:contentInsetRight}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetStart com.saitama:contentInsetStart}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #ActionBar_contentInsetStartWithNavigation com.saitama:contentInsetStartWithNavigation}</code></td><td>Minimum inset for content views within a bar when a navigation button * is present, such as the Up button.</td></tr> * <tr><td><code>{@link #ActionBar_customNavigationLayout com.saitama:customNavigationLayout}</code></td><td>Specifies a layout for custom navigation.</td></tr> * <tr><td><code>{@link #ActionBar_displayOptions com.saitama:displayOptions}</code></td><td>Options affecting how the action bar is displayed.</td></tr> * <tr><td><code>{@link #ActionBar_divider com.saitama:divider}</code></td><td>Specifies the drawable used for item dividers.</td></tr> * <tr><td><code>{@link #ActionBar_elevation com.saitama:elevation}</code></td><td>Elevation for the action bar itself</td></tr> * <tr><td><code>{@link #ActionBar_height com.saitama:height}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_hideOnContentScroll com.saitama:hideOnContentScroll}</code></td><td>Set true to hide the action bar on a vertical nested scroll of content.</td></tr> * <tr><td><code>{@link #ActionBar_homeAsUpIndicator com.saitama:homeAsUpIndicator}</code></td><td>Specifies a drawable to use for the 'home as up' indicator.</td></tr> * <tr><td><code>{@link #ActionBar_homeLayout com.saitama:homeLayout}</code></td><td>Specifies a layout to use for the "home" section of the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_icon com.saitama:icon}</code></td><td>Specifies the drawable used for the application icon.</td></tr> * <tr><td><code>{@link #ActionBar_indeterminateProgressStyle com.saitama:indeterminateProgressStyle}</code></td><td>Specifies a style resource to use for an indeterminate progress spinner.</td></tr> * <tr><td><code>{@link #ActionBar_itemPadding com.saitama:itemPadding}</code></td><td>Specifies padding that should be applied to the left and right sides of * system-provided items in the bar.</td></tr> * <tr><td><code>{@link #ActionBar_logo com.saitama:logo}</code></td><td>Specifies the drawable used for the application logo.</td></tr> * <tr><td><code>{@link #ActionBar_navigationMode com.saitama:navigationMode}</code></td><td>The type of navigation to use.</td></tr> * <tr><td><code>{@link #ActionBar_popupTheme com.saitama:popupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * <tr><td><code>{@link #ActionBar_progressBarPadding com.saitama:progressBarPadding}</code></td><td>Specifies the horizontal padding on either end for an embedded progress bar.</td></tr> * <tr><td><code>{@link #ActionBar_progressBarStyle com.saitama:progressBarStyle}</code></td><td>Specifies a style resource to use for an embedded progress bar.</td></tr> * <tr><td><code>{@link #ActionBar_subtitle com.saitama:subtitle}</code></td><td>Specifies subtitle text used for navigationMode="normal"</td></tr> * <tr><td><code>{@link #ActionBar_subtitleTextStyle com.saitama:subtitleTextStyle}</code></td><td>Specifies a style to use for subtitle text.</td></tr> * <tr><td><code>{@link #ActionBar_title com.saitama:title}</code></td><td></td></tr> * <tr><td><code>{@link #ActionBar_titleTextStyle com.saitama:titleTextStyle}</code></td><td>Specifies a style to use for title text.</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={ 0x7f020034, 0x7f020036, 0x7f020037, 0x7f02005b, 0x7f02005c, 0x7f02005d, 0x7f02005e, 0x7f02005f, 0x7f020060, 0x7f020063, 0x7f020068, 0x7f020069, 0x7f020074, 0x7f020087, 0x7f020088, 0x7f020089, 0x7f02008a, 0x7f02008b, 0x7f020090, 0x7f020093, 0x7f0200a9, 0x7f0200b0, 0x7f0200be, 0x7f0200c5, 0x7f0200c6, 0x7f0200f1, 0x7f0200f4, 0x7f02010f, 0x7f020118 }; /** * <p> * @attr description * Specifies a background drawable for the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:background */ public static final int ActionBar_background=0; /** * <p> * @attr description * Specifies a background drawable for the bottom component of a split action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:backgroundSplit */ public static final int ActionBar_backgroundSplit=1; /** * <p> * @attr description * Specifies a background drawable for a second stacked row of the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:backgroundStacked */ public static final int ActionBar_backgroundStacked=2; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetEnd */ public static final int ActionBar_contentInsetEnd=3; /** * <p> * @attr description * Minimum inset for content views within a bar when actions from a menu * are present. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetEndWithActions */ public static final int ActionBar_contentInsetEndWithActions=4; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetLeft */ public static final int ActionBar_contentInsetLeft=5; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetRight */ public static final int ActionBar_contentInsetRight=6; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetStart */ public static final int ActionBar_contentInsetStart=7; /** * <p> * @attr description * Minimum inset for content views within a bar when a navigation button * is present, such as the Up button. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetStartWithNavigation */ public static final int ActionBar_contentInsetStartWithNavigation=8; /** * <p> * @attr description * Specifies a layout for custom navigation. Overrides navigationMode. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:customNavigationLayout */ public static final int ActionBar_customNavigationLayout=9; /** * <p> * @attr description * Options affecting how the action bar is displayed. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>disableHome</td><td>20</td><td></td></tr> * <tr><td>homeAsUp</td><td>4</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>showCustom</td><td>10</td><td></td></tr> * <tr><td>showHome</td><td>2</td><td></td></tr> * <tr><td>showTitle</td><td>8</td><td></td></tr> * <tr><td>useLogo</td><td>1</td><td></td></tr> * </table> * * @attr name com.saitama:displayOptions */ public static final int ActionBar_displayOptions=10; /** * <p> * @attr description * Specifies the drawable used for item dividers. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:divider */ public static final int ActionBar_divider=11; /** * <p> * @attr description * Elevation for the action bar itself * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:elevation */ public static final int ActionBar_elevation=12; /** * <p> * @attr description * Specifies a fixed height. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:height */ public static final int ActionBar_height=13; /** * <p> * @attr description * Set true to hide the action bar on a vertical nested scroll of content. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:hideOnContentScroll */ public static final int ActionBar_hideOnContentScroll=14; /** * <p> * @attr description * Up navigation glyph * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:homeAsUpIndicator */ public static final int ActionBar_homeAsUpIndicator=15; /** * <p> * @attr description * Specifies a layout to use for the "home" section of the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:homeLayout */ public static final int ActionBar_homeLayout=16; /** * <p> * @attr description * Specifies the drawable used for the application icon. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:icon */ public static final int ActionBar_icon=17; /** * <p> * @attr description * Specifies a style resource to use for an indeterminate progress spinner. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:indeterminateProgressStyle */ public static final int ActionBar_indeterminateProgressStyle=18; /** * <p> * @attr description * Specifies padding that should be applied to the left and right sides of * system-provided items in the bar. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:itemPadding */ public static final int ActionBar_itemPadding=19; /** * <p> * @attr description * Specifies the drawable used for the application logo. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:logo */ public static final int ActionBar_logo=20; /** * <p> * @attr description * The type of navigation to use. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>listMode</td><td>1</td><td>The action bar will use a selection list for navigation.</td></tr> * <tr><td>normal</td><td>0</td><td>Normal static title text</td></tr> * <tr><td>tabMode</td><td>2</td><td>The action bar will use a series of horizontal tabs for navigation.</td></tr> * </table> * * @attr name com.saitama:navigationMode */ public static final int ActionBar_navigationMode=21; /** * <p> * @attr description * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:popupTheme */ public static final int ActionBar_popupTheme=22; /** * <p> * @attr description * Specifies the horizontal padding on either end for an embedded progress bar. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:progressBarPadding */ public static final int ActionBar_progressBarPadding=23; /** * <p> * @attr description * Specifies a style resource to use for an embedded progress bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:progressBarStyle */ public static final int ActionBar_progressBarStyle=24; /** * <p> * @attr description * Specifies subtitle text used for navigationMode="normal" * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:subtitle */ public static final int ActionBar_subtitle=25; /** * <p> * @attr description * Specifies a style to use for subtitle text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:subtitleTextStyle */ public static final int ActionBar_subtitleTextStyle=26; /** * <p> * @attr description * Specifies title text used for navigationMode="normal" * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:title */ public static final int ActionBar_title=27; /** * <p> * @attr description * Specifies a style to use for title text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:titleTextStyle */ public static final int ActionBar_titleTextStyle=28; /** * Attributes that can be used with a ActionBarLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionBarLayout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> * </table> * @see #ActionBarLayout_android_layout_gravity */ public static final int[] ActionBarLayout={ 0x010100b3 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} * attribute's value can be found in the {@link #ActionBarLayout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:layout_gravity */ public static final int ActionBarLayout_android_layout_gravity=0; /** * Attributes that can be used with a ActionMenuItemView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionMenuItemView_android_minWidth android:minWidth}</code></td><td></td></tr> * </table> * @see #ActionMenuItemView_android_minWidth */ public static final int[] ActionMenuItemView={ 0x0101013f }; /** * <p>This symbol is the offset where the {@link android.R.attr#minWidth} * attribute's value can be found in the {@link #ActionMenuItemView} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:minWidth */ public static final int ActionMenuItemView_android_minWidth=0; public static final int[] ActionMenuView={ }; /** * Attributes that can be used with a ActionMode. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActionMode_background com.saitama:background}</code></td><td>Specifies a background drawable for the action bar.</td></tr> * <tr><td><code>{@link #ActionMode_backgroundSplit com.saitama:backgroundSplit}</code></td><td>Specifies a background drawable for the bottom component of a split action bar.</td></tr> * <tr><td><code>{@link #ActionMode_closeItemLayout com.saitama:closeItemLayout}</code></td><td>Specifies a layout to use for the "close" item at the starting edge.</td></tr> * <tr><td><code>{@link #ActionMode_height com.saitama:height}</code></td><td></td></tr> * <tr><td><code>{@link #ActionMode_subtitleTextStyle com.saitama:subtitleTextStyle}</code></td><td>Specifies a style to use for subtitle text.</td></tr> * <tr><td><code>{@link #ActionMode_titleTextStyle com.saitama:titleTextStyle}</code></td><td>Specifies a style to use for title text.</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={ 0x7f020034, 0x7f020036, 0x7f02004b, 0x7f020087, 0x7f0200f4, 0x7f020118 }; /** * <p> * @attr description * Specifies a background for the action mode bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:background */ public static final int ActionMode_background=0; /** * <p> * @attr description * Specifies a background for the split action mode bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:backgroundSplit */ public static final int ActionMode_backgroundSplit=1; /** * <p> * @attr description * Specifies a layout to use for the "close" item at the starting edge. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:closeItemLayout */ public static final int ActionMode_closeItemLayout=2; /** * <p> * @attr description * Specifies a fixed height for the action mode bar. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:height */ public static final int ActionMode_height=3; /** * <p> * @attr description * Specifies a style to use for subtitle text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:subtitleTextStyle */ public static final int ActionMode_subtitleTextStyle=4; /** * <p> * @attr description * Specifies a style to use for title text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:titleTextStyle */ public static final int ActionMode_titleTextStyle=5; /** * Attributes that can be used with a ActivityChooserView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ActivityChooserView_expandActivityOverflowButtonDrawable com.saitama:expandActivityOverflowButtonDrawable}</code></td><td>The drawable to show in the button for expanding the activities overflow popup.</td></tr> * <tr><td><code>{@link #ActivityChooserView_initialActivityCount com.saitama:initialActivityCount}</code></td><td>The maximal number of items initially shown in the activity list.</td></tr> * </table> * @see #ActivityChooserView_expandActivityOverflowButtonDrawable * @see #ActivityChooserView_initialActivityCount */ public static final int[] ActivityChooserView={ 0x7f020075, 0x7f020091 }; /** * <p> * @attr description * The drawable to show in the button for expanding the activities overflow popup. * <strong>Note:</strong> Clients would like to set this drawable * as a clue about the action the chosen activity will perform. For * example, if share activity is to be chosen the drawable should * give a clue that sharing is to be performed. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:expandActivityOverflowButtonDrawable */ public static final int ActivityChooserView_expandActivityOverflowButtonDrawable=0; /** * <p> * @attr description * The maximal number of items initially shown in the activity list. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:initialActivityCount */ public static final int ActivityChooserView_initialActivityCount=1; /** * Attributes that can be used with a AlertDialog. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AlertDialog_android_layout android:layout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_buttonIconDimen com.saitama:buttonIconDimen}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_buttonPanelSideLayout com.saitama:buttonPanelSideLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_listItemLayout com.saitama:listItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_listLayout com.saitama:listLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_multiChoiceItemLayout com.saitama:multiChoiceItemLayout}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_showTitle com.saitama:showTitle}</code></td><td></td></tr> * <tr><td><code>{@link #AlertDialog_singleChoiceItemLayout com.saitama:singleChoiceItemLayout}</code></td><td></td></tr> * </table> * @see #AlertDialog_android_layout * @see #AlertDialog_buttonIconDimen * @see #AlertDialog_buttonPanelSideLayout * @see #AlertDialog_listItemLayout * @see #AlertDialog_listLayout * @see #AlertDialog_multiChoiceItemLayout * @see #AlertDialog_showTitle * @see #AlertDialog_singleChoiceItemLayout */ public static final int[] AlertDialog={ 0x010100f2, 0x7f020042, 0x7f020043, 0x7f0200a0, 0x7f0200a1, 0x7f0200ad, 0x7f0200e6, 0x7f0200e7 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:layout */ public static final int AlertDialog_android_layout=0; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#buttonIconDimen} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:buttonIconDimen */ public static final int AlertDialog_buttonIconDimen=1; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#buttonPanelSideLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonPanelSideLayout */ public static final int AlertDialog_buttonPanelSideLayout=2; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#listItemLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:listItemLayout */ public static final int AlertDialog_listItemLayout=3; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#listLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:listLayout */ public static final int AlertDialog_listLayout=4; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#multiChoiceItemLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:multiChoiceItemLayout */ public static final int AlertDialog_multiChoiceItemLayout=5; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#showTitle} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:showTitle */ public static final int AlertDialog_showTitle=6; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#singleChoiceItemLayout} * attribute's value can be found in the {@link #AlertDialog} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:singleChoiceItemLayout */ public static final int AlertDialog_singleChoiceItemLayout=7; /** * Attributes that can be used with a AnimatedStateListDrawableCompat. * <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 #AnimatedStateListDrawableCompat_android_dither android:dither}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_variablePadding android:variablePadding}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_constantSize android:constantSize}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_enterFadeDuration android:enterFadeDuration}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableCompat_android_exitFadeDuration android:exitFadeDuration}</code></td><td></td></tr> * </table> * @see #AnimatedStateListDrawableCompat_android_dither * @see #AnimatedStateListDrawableCompat_android_visible * @see #AnimatedStateListDrawableCompat_android_variablePadding * @see #AnimatedStateListDrawableCompat_android_constantSize * @see #AnimatedStateListDrawableCompat_android_enterFadeDuration * @see #AnimatedStateListDrawableCompat_android_exitFadeDuration */ public static final int[] AnimatedStateListDrawableCompat={ 0x0101011c, 0x01010194, 0x01010195, 0x01010196, 0x0101030c, 0x0101030d }; /** * <p> * @attr description * Enables or disables dithering of the bitmap if the bitmap does not have the * same pixel configuration as the screen (for instance: a ARGB 8888 bitmap with * an RGB 565 screen). * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:dither */ public static final int AnimatedStateListDrawableCompat_android_dither=0; /** * <p> * @attr description * Indicates whether the drawable should be initially visible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int AnimatedStateListDrawableCompat_android_visible=1; /** * <p> * @attr description * If true, allows the drawable's padding to change based on the * current state that is selected. If false, the padding will * stay the same (based on the maximum padding of all the states). * Enabling this feature requires that the owner of the drawable * deal with performing layout when the state changes, which is * often not supported. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:variablePadding */ public static final int AnimatedStateListDrawableCompat_android_variablePadding=2; /** * <p> * @attr description * If true, the drawable's reported internal size will remain * constant as the state changes; the size is the maximum of all * of the states. If false, the size will vary based on the * current state. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:constantSize */ public static final int AnimatedStateListDrawableCompat_android_constantSize=3; /** * <p> * @attr description * Amount of time (in milliseconds) to fade in a new state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:enterFadeDuration */ public static final int AnimatedStateListDrawableCompat_android_enterFadeDuration=4; /** * <p> * @attr description * Amount of time (in milliseconds) to fade out an old state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:exitFadeDuration */ public static final int AnimatedStateListDrawableCompat_android_exitFadeDuration=5; /** * Attributes that can be used with a AnimatedStateListDrawableItem. * <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 #AnimatedStateListDrawableItem_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableItem_android_drawable android:drawable}</code></td><td></td></tr> * </table> * @see #AnimatedStateListDrawableItem_android_id * @see #AnimatedStateListDrawableItem_android_drawable */ public static final int[] AnimatedStateListDrawableItem={ 0x010100d0, 0x01010199 }; /** * <p> * @attr description * Keyframe identifier for use in specifying transitions. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int AnimatedStateListDrawableItem_android_id=0; /** * <p> * @attr description * Reference to a drawable resource to use for the frame. If not * given, the drawable must be defined by the first child tag. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:drawable */ public static final int AnimatedStateListDrawableItem_android_drawable=1; /** * Attributes that can be used with a AnimatedStateListDrawableTransition. * <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 #AnimatedStateListDrawableTransition_android_drawable android:drawable}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableTransition_android_toId android:toId}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableTransition_android_fromId android:fromId}</code></td><td></td></tr> * <tr><td><code>{@link #AnimatedStateListDrawableTransition_android_reversible android:reversible}</code></td><td></td></tr> * </table> * @see #AnimatedStateListDrawableTransition_android_drawable * @see #AnimatedStateListDrawableTransition_android_toId * @see #AnimatedStateListDrawableTransition_android_fromId * @see #AnimatedStateListDrawableTransition_android_reversible */ public static final int[] AnimatedStateListDrawableTransition={ 0x01010199, 0x01010449, 0x0101044a, 0x0101044b }; /** * <p> * @attr description * Reference to a animation drawable resource to use for the frame. If not * given, the animation drawable must be defined by the first child tag. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:drawable */ public static final int AnimatedStateListDrawableTransition_android_drawable=0; /** * <p> * @attr description * Keyframe identifier for the ending state. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:toId */ public static final int AnimatedStateListDrawableTransition_android_toId=1; /** * <p> * @attr description * Keyframe identifier for the starting state. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:fromId */ public static final int AnimatedStateListDrawableTransition_android_fromId=2; /** * <p> * @attr description * Whether this transition is reversible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:reversible */ public static final int AnimatedStateListDrawableTransition_android_reversible=3; /** * 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.saitama:srcCompat}</code></td><td>Sets a drawable as the content of this ImageView.</td></tr> * <tr><td><code>{@link #AppCompatImageView_tint com.saitama:tint}</code></td><td>Tint to apply to the image source.</td></tr> * <tr><td><code>{@link #AppCompatImageView_tintMode com.saitama:tintMode}</code></td><td>Blending mode used to apply the image source tint.</td></tr> * </table> * @see #AppCompatImageView_android_src * @see #AppCompatImageView_srcCompat * @see #AppCompatImageView_tint * @see #AppCompatImageView_tintMode */ public static final int[] AppCompatImageView={ 0x01010119, 0x7f0200ec, 0x7f02010d, 0x7f02010e }; /** * <p>This symbol is the offset where the {@link android.R.attr#src} * attribute's value can be found in the {@link #AppCompatImageView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:src */ public static final int AppCompatImageView_android_src=0; /** * <p> * @attr description * Sets a drawable as the content of this ImageView. Allows the use of vector drawable * when running on older versions of the platform. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:srcCompat */ public static final int AppCompatImageView_srcCompat=1; /** * <p> * @attr description * Tint to apply to the image source. * * <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.saitama:tint */ public static final int AppCompatImageView_tint=2; /** * <p> * @attr description * Blending mode used to apply the image source tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:tintMode */ public static final int AppCompatImageView_tintMode=3; /** * Attributes that can be used with a AppCompatSeekBar. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatSeekBar_android_thumb android:thumb}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMark com.saitama:tickMark}</code></td><td>Drawable displayed at each progress position on a seekbar.</td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMarkTint com.saitama:tickMarkTint}</code></td><td>Tint to apply to the tick mark drawable.</td></tr> * <tr><td><code>{@link #AppCompatSeekBar_tickMarkTintMode com.saitama:tickMarkTintMode}</code></td><td>Blending mode used to apply the tick mark tint.</td></tr> * </table> * @see #AppCompatSeekBar_android_thumb * @see #AppCompatSeekBar_tickMark * @see #AppCompatSeekBar_tickMarkTint * @see #AppCompatSeekBar_tickMarkTintMode */ public static final int[] AppCompatSeekBar={ 0x01010142, 0x7f02010a, 0x7f02010b, 0x7f02010c }; /** * <p>This symbol is the offset where the {@link android.R.attr#thumb} * attribute's value can be found in the {@link #AppCompatSeekBar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:thumb */ public static final int AppCompatSeekBar_android_thumb=0; /** * <p> * @attr description * Drawable displayed at each progress position on a seekbar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:tickMark */ public static final int AppCompatSeekBar_tickMark=1; /** * <p> * @attr description * Tint to apply to the tick mark drawable. * * <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.saitama:tickMarkTint */ public static final int AppCompatSeekBar_tickMarkTint=2; /** * <p> * @attr description * Blending mode used to apply the tick mark tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:tickMarkTintMode */ public static final int AppCompatSeekBar_tickMarkTintMode=3; /** * Attributes that can be used with a AppCompatTextHelper. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_textAppearance android:textAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableTop android:drawableTop}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableBottom android:drawableBottom}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableLeft android:drawableLeft}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableRight android:drawableRight}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableStart android:drawableStart}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextHelper_android_drawableEnd android:drawableEnd}</code></td><td></td></tr> * </table> * @see #AppCompatTextHelper_android_textAppearance * @see #AppCompatTextHelper_android_drawableTop * @see #AppCompatTextHelper_android_drawableBottom * @see #AppCompatTextHelper_android_drawableLeft * @see #AppCompatTextHelper_android_drawableRight * @see #AppCompatTextHelper_android_drawableStart * @see #AppCompatTextHelper_android_drawableEnd */ public static final int[] AppCompatTextHelper={ 0x01010034, 0x0101016d, 0x0101016e, 0x0101016f, 0x01010170, 0x01010392, 0x01010393 }; /** * <p>This symbol is the offset where the {@link android.R.attr#textAppearance} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:textAppearance */ public static final int AppCompatTextHelper_android_textAppearance=0; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableTop} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableTop */ public static final int AppCompatTextHelper_android_drawableTop=1; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableBottom} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableBottom */ public static final int AppCompatTextHelper_android_drawableBottom=2; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableLeft} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableLeft */ public static final int AppCompatTextHelper_android_drawableLeft=3; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableRight} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableRight */ public static final int AppCompatTextHelper_android_drawableRight=4; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableStart} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableStart */ public static final int AppCompatTextHelper_android_drawableStart=5; /** * <p>This symbol is the offset where the {@link android.R.attr#drawableEnd} * attribute's value can be found in the {@link #AppCompatTextHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:drawableEnd */ public static final int AppCompatTextHelper_android_drawableEnd=6; /** * Attributes that can be used with a AppCompatTextView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatTextView_android_textAppearance android:textAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeMaxTextSize com.saitama:autoSizeMaxTextSize}</code></td><td>The maximum text size constraint to be used when auto-sizing text.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeMinTextSize com.saitama:autoSizeMinTextSize}</code></td><td>The minimum text size constraint to be used when auto-sizing text.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizePresetSizes com.saitama:autoSizePresetSizes}</code></td><td>Resource array of dimensions to be used in conjunction with * <code>autoSizeTextType</code> set to <code>uniform</code>.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeStepGranularity com.saitama:autoSizeStepGranularity}</code></td><td>Specify the auto-size step size if <code>autoSizeTextType</code> is set to * <code>uniform</code>.</td></tr> * <tr><td><code>{@link #AppCompatTextView_autoSizeTextType com.saitama:autoSizeTextType}</code></td><td>Specify the type of auto-size.</td></tr> * <tr><td><code>{@link #AppCompatTextView_firstBaselineToTopHeight com.saitama:firstBaselineToTopHeight}</code></td><td>Distance from the top of the TextView to the first text baseline.</td></tr> * <tr><td><code>{@link #AppCompatTextView_fontFamily com.saitama:fontFamily}</code></td><td>The attribute for the font family.</td></tr> * <tr><td><code>{@link #AppCompatTextView_lastBaselineToBottomHeight com.saitama:lastBaselineToBottomHeight}</code></td><td>Distance from the bottom of the TextView to the last text baseline.</td></tr> * <tr><td><code>{@link #AppCompatTextView_lineHeight com.saitama:lineHeight}</code></td><td>Explicit height between lines of text.</td></tr> * <tr><td><code>{@link #AppCompatTextView_textAllCaps com.saitama:textAllCaps}</code></td><td>Present the text in ALL CAPS.</td></tr> * </table> * @see #AppCompatTextView_android_textAppearance * @see #AppCompatTextView_autoSizeMaxTextSize * @see #AppCompatTextView_autoSizeMinTextSize * @see #AppCompatTextView_autoSizePresetSizes * @see #AppCompatTextView_autoSizeStepGranularity * @see #AppCompatTextView_autoSizeTextType * @see #AppCompatTextView_firstBaselineToTopHeight * @see #AppCompatTextView_fontFamily * @see #AppCompatTextView_lastBaselineToBottomHeight * @see #AppCompatTextView_lineHeight * @see #AppCompatTextView_textAllCaps */ public static final int[] AppCompatTextView={ 0x01010034, 0x7f02002f, 0x7f020030, 0x7f020031, 0x7f020032, 0x7f020033, 0x7f020079, 0x7f02007b, 0x7f020095, 0x7f02009d, 0x7f0200fa }; /** * <p>This symbol is the offset where the {@link android.R.attr#textAppearance} * attribute's value can be found in the {@link #AppCompatTextView} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:textAppearance */ public static final int AppCompatTextView_android_textAppearance=0; /** * <p> * @attr description * The maximum text size constraint to be used when auto-sizing text. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:autoSizeMaxTextSize */ public static final int AppCompatTextView_autoSizeMaxTextSize=1; /** * <p> * @attr description * The minimum text size constraint to be used when auto-sizing text. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:autoSizeMinTextSize */ public static final int AppCompatTextView_autoSizeMinTextSize=2; /** * <p> * @attr description * Resource array of dimensions to be used in conjunction with * <code>autoSizeTextType</code> set to <code>uniform</code>. Overrides * <code>autoSizeStepGranularity</code> if set. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:autoSizePresetSizes */ public static final int AppCompatTextView_autoSizePresetSizes=3; /** * <p> * @attr description * Specify the auto-size step size if <code>autoSizeTextType</code> is set to * <code>uniform</code>. The default is 1px. Overwrites * <code>autoSizePresetSizes</code> if set. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:autoSizeStepGranularity */ public static final int AppCompatTextView_autoSizeStepGranularity=4; /** * <p> * @attr description * Specify the type of auto-size. Note that this feature is not supported by EditText, * works only for TextView. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>none</td><td>0</td><td>No auto-sizing (default).</td></tr> * <tr><td>uniform</td><td>1</td><td>Uniform horizontal and vertical text size scaling to fit within the * container.</td></tr> * </table> * * @attr name com.saitama:autoSizeTextType */ public static final int AppCompatTextView_autoSizeTextType=5; /** * <p> * @attr description * Distance from the top of the TextView to the first text baseline. If set, this * overrides the value set for paddingTop. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:firstBaselineToTopHeight */ public static final int AppCompatTextView_firstBaselineToTopHeight=6; /** * <p> * @attr description * The attribute for the font family. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:fontFamily */ public static final int AppCompatTextView_fontFamily=7; /** * <p> * @attr description * Distance from the bottom of the TextView to the last text baseline. If set, this * overrides the value set for paddingBottom. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:lastBaselineToBottomHeight */ public static final int AppCompatTextView_lastBaselineToBottomHeight=8; /** * <p> * @attr description * Explicit height between lines of text. If set, this will override the values set * for lineSpacingExtra and lineSpacingMultiplier. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:lineHeight */ public static final int AppCompatTextView_lineHeight=9; /** * <p> * @attr description * Present the text in ALL CAPS. This may use a small-caps form when available. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:textAllCaps */ public static final int AppCompatTextView_textAllCaps=10; /** * Attributes that can be used with a AppCompatTheme. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #AppCompatTheme_android_windowIsFloating android:windowIsFloating}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarDivider com.saitama:actionBarDivider}</code></td><td>Custom divider drawable to use for elements in the action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarItemBackground com.saitama:actionBarItemBackground}</code></td><td>Custom item state list drawable background for action bar items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarPopupTheme com.saitama:actionBarPopupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarSize com.saitama:actionBarSize}</code></td><td>Size of the Action Bar, including the contextual * bar used to present Action Modes.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarSplitStyle com.saitama:actionBarSplitStyle}</code></td><td>Reference to a style for the split Action Bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarStyle com.saitama:actionBarStyle}</code></td><td>Reference to a style for the Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabBarStyle com.saitama:actionBarTabBarStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabStyle com.saitama:actionBarTabStyle}</code></td><td>Default style for tabs within an action bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTabTextStyle com.saitama:actionBarTabTextStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarTheme com.saitama:actionBarTheme}</code></td><td>Reference to a theme that should be used to inflate the * action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionBarWidgetTheme com.saitama:actionBarWidgetTheme}</code></td><td>Reference to a theme that should be used to inflate widgets * and layouts destined for the action bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionButtonStyle com.saitama:actionButtonStyle}</code></td><td>Default action button style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionDropDownStyle com.saitama:actionDropDownStyle}</code></td><td>Default ActionBar dropdown style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionMenuTextAppearance com.saitama:actionMenuTextAppearance}</code></td><td>TextAppearance style that will be applied to text that * appears within action menu items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionMenuTextColor com.saitama:actionMenuTextColor}</code></td><td>Color for text that appears within action menu items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeBackground com.saitama:actionModeBackground}</code></td><td>Background drawable to use for action mode UI</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCloseButtonStyle com.saitama:actionModeCloseButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCloseDrawable com.saitama:actionModeCloseDrawable}</code></td><td>Drawable to use for the close action mode button</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCopyDrawable com.saitama:actionModeCopyDrawable}</code></td><td>Drawable to use for the Copy action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeCutDrawable com.saitama:actionModeCutDrawable}</code></td><td>Drawable to use for the Cut action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeFindDrawable com.saitama:actionModeFindDrawable}</code></td><td>Drawable to use for the Find action button in WebView selection action modes</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModePasteDrawable com.saitama:actionModePasteDrawable}</code></td><td>Drawable to use for the Paste action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModePopupWindowStyle com.saitama:actionModePopupWindowStyle}</code></td><td>PopupWindow style to use for action modes when showing as a window overlay.</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeSelectAllDrawable com.saitama:actionModeSelectAllDrawable}</code></td><td>Drawable to use for the Select all action button in Contextual Action Bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeShareDrawable com.saitama:actionModeShareDrawable}</code></td><td>Drawable to use for the Share action button in WebView selection action modes</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeSplitBackground com.saitama:actionModeSplitBackground}</code></td><td>Background drawable to use for action mode UI in the lower split bar</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeStyle com.saitama:actionModeStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionModeWebSearchDrawable com.saitama:actionModeWebSearchDrawable}</code></td><td>Drawable to use for the Web Search action button in WebView selection action modes</td></tr> * <tr><td><code>{@link #AppCompatTheme_actionOverflowButtonStyle com.saitama:actionOverflowButtonStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_actionOverflowMenuStyle com.saitama:actionOverflowMenuStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_activityChooserViewStyle com.saitama:activityChooserViewStyle}</code></td><td>Default ActivityChooserView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogButtonGroupStyle com.saitama:alertDialogButtonGroupStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogCenterButtons com.saitama:alertDialogCenterButtons}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogStyle com.saitama:alertDialogStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_alertDialogTheme com.saitama:alertDialogTheme}</code></td><td>Theme to use for alert dialogs spawned from this theme.</td></tr> * <tr><td><code>{@link #AppCompatTheme_autoCompleteTextViewStyle com.saitama:autoCompleteTextViewStyle}</code></td><td>Default AutoCompleteTextView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_borderlessButtonStyle com.saitama:borderlessButtonStyle}</code></td><td>Style for buttons without an explicit border, often used in groups.</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarButtonStyle com.saitama:buttonBarButtonStyle}</code></td><td>Style for buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarNegativeButtonStyle com.saitama:buttonBarNegativeButtonStyle}</code></td><td>Style for the "negative" buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarNeutralButtonStyle com.saitama:buttonBarNeutralButtonStyle}</code></td><td>Style for the "neutral" buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarPositiveButtonStyle com.saitama:buttonBarPositiveButtonStyle}</code></td><td>Style for the "positive" buttons within button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonBarStyle com.saitama:buttonBarStyle}</code></td><td>Style for button bars</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonStyle com.saitama:buttonStyle}</code></td><td>Normal Button style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_buttonStyleSmall com.saitama:buttonStyleSmall}</code></td><td>Small Button style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_checkboxStyle com.saitama:checkboxStyle}</code></td><td>Default Checkbox style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_checkedTextViewStyle com.saitama:checkedTextViewStyle}</code></td><td>Default CheckedTextView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorAccent com.saitama:colorAccent}</code></td><td>Bright complement to the primary branding color.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorBackgroundFloating com.saitama:colorBackgroundFloating}</code></td><td>Default color of background imagery for floating components, ex.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorButtonNormal com.saitama:colorButtonNormal}</code></td><td>The color applied to framework buttons in their normal state.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlActivated com.saitama:colorControlActivated}</code></td><td>The color applied to framework controls in their activated (ex.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlHighlight com.saitama:colorControlHighlight}</code></td><td>The color applied to framework control highlights (ex.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorControlNormal com.saitama:colorControlNormal}</code></td><td>The color applied to framework controls in their normal state.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorError com.saitama:colorError}</code></td><td>Color used for error states and things that need to be drawn to * the user's attention.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorPrimary com.saitama:colorPrimary}</code></td><td>The primary branding color for the app.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorPrimaryDark com.saitama:colorPrimaryDark}</code></td><td>Dark variant of the primary branding color.</td></tr> * <tr><td><code>{@link #AppCompatTheme_colorSwitchThumbNormal com.saitama:colorSwitchThumbNormal}</code></td><td>The color applied to framework switch thumbs in their normal state.</td></tr> * <tr><td><code>{@link #AppCompatTheme_controlBackground com.saitama:controlBackground}</code></td><td>The background used by framework controls.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogCornerRadius com.saitama:dialogCornerRadius}</code></td><td>Preferred corner radius of dialogs.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogPreferredPadding com.saitama:dialogPreferredPadding}</code></td><td>Preferred padding for dialog content.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dialogTheme com.saitama:dialogTheme}</code></td><td>Theme to use for dialogs spawned from this theme.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dividerHorizontal com.saitama:dividerHorizontal}</code></td><td>A drawable that may be used as a horizontal divider between visual elements.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dividerVertical com.saitama:dividerVertical}</code></td><td>A drawable that may be used as a vertical divider between visual elements.</td></tr> * <tr><td><code>{@link #AppCompatTheme_dropDownListViewStyle com.saitama:dropDownListViewStyle}</code></td><td>ListPopupWindow compatibility</td></tr> * <tr><td><code>{@link #AppCompatTheme_dropdownListPreferredItemHeight com.saitama:dropdownListPreferredItemHeight}</code></td><td>The preferred item height for dropdown lists.</td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextBackground com.saitama:editTextBackground}</code></td><td>EditText background drawable.</td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextColor com.saitama:editTextColor}</code></td><td>EditText text foreground color.</td></tr> * <tr><td><code>{@link #AppCompatTheme_editTextStyle com.saitama:editTextStyle}</code></td><td>Default EditText style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_homeAsUpIndicator com.saitama:homeAsUpIndicator}</code></td><td>Specifies a drawable to use for the 'home as up' indicator.</td></tr> * <tr><td><code>{@link #AppCompatTheme_imageButtonStyle com.saitama:imageButtonStyle}</code></td><td>ImageButton background drawable.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listChoiceBackgroundIndicator com.saitama:listChoiceBackgroundIndicator}</code></td><td>Drawable used as a background for selected list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listDividerAlertDialog com.saitama:listDividerAlertDialog}</code></td><td>The list divider used in alert dialogs.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listMenuViewStyle com.saitama:listMenuViewStyle}</code></td><td>Default menu-style ListView style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPopupWindowStyle com.saitama:listPopupWindowStyle}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeight com.saitama:listPreferredItemHeight}</code></td><td>The preferred list item height.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightLarge com.saitama:listPreferredItemHeightLarge}</code></td><td>A larger, more robust list item height.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemHeightSmall com.saitama:listPreferredItemHeightSmall}</code></td><td>A smaller, sleeker list item height.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingLeft com.saitama:listPreferredItemPaddingLeft}</code></td><td>The preferred padding along the left edge of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_listPreferredItemPaddingRight com.saitama:listPreferredItemPaddingRight}</code></td><td>The preferred padding along the right edge of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_panelBackground com.saitama:panelBackground}</code></td><td>The background of a panel when it is inset from the left and right edges of the screen.</td></tr> * <tr><td><code>{@link #AppCompatTheme_panelMenuListTheme com.saitama:panelMenuListTheme}</code></td><td>Default Panel Menu style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_panelMenuListWidth com.saitama:panelMenuListWidth}</code></td><td>Default Panel Menu width.</td></tr> * <tr><td><code>{@link #AppCompatTheme_popupMenuStyle com.saitama:popupMenuStyle}</code></td><td>Default PopupMenu style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_popupWindowStyle com.saitama:popupWindowStyle}</code></td><td>Default PopupWindow style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_radioButtonStyle com.saitama:radioButtonStyle}</code></td><td>Default RadioButton style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyle com.saitama:ratingBarStyle}</code></td><td>Default RatingBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyleIndicator com.saitama:ratingBarStyleIndicator}</code></td><td>Indicator RatingBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_ratingBarStyleSmall com.saitama:ratingBarStyleSmall}</code></td><td>Small indicator RatingBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_searchViewStyle com.saitama:searchViewStyle}</code></td><td>Style for the search query widget.</td></tr> * <tr><td><code>{@link #AppCompatTheme_seekBarStyle com.saitama:seekBarStyle}</code></td><td>Default SeekBar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_selectableItemBackground com.saitama:selectableItemBackground}</code></td><td>A style that may be applied to buttons or other selectable items * that should react to pressed and focus states, but that do not * have a clear visual border along the edges.</td></tr> * <tr><td><code>{@link #AppCompatTheme_selectableItemBackgroundBorderless com.saitama:selectableItemBackgroundBorderless}</code></td><td>Background drawable for borderless standalone items that need focus/pressed states.</td></tr> * <tr><td><code>{@link #AppCompatTheme_spinnerDropDownItemStyle com.saitama:spinnerDropDownItemStyle}</code></td><td>Default Spinner style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_spinnerStyle com.saitama:spinnerStyle}</code></td><td>Default Spinner style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_switchStyle com.saitama:switchStyle}</code></td><td>Default style for the Switch widget.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceLargePopupMenu com.saitama:textAppearanceLargePopupMenu}</code></td><td>Text color, typeface, size, and style for the text inside of a popup menu.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItem com.saitama:textAppearanceListItem}</code></td><td>The preferred TextAppearance for the primary text of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSecondary com.saitama:textAppearanceListItemSecondary}</code></td><td>The preferred TextAppearance for the secondary text of list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceListItemSmall com.saitama:textAppearanceListItemSmall}</code></td><td>The preferred TextAppearance for the primary text of small list items.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearancePopupMenuHeader com.saitama:textAppearancePopupMenuHeader}</code></td><td>Text color, typeface, size, and style for header text inside of a popup menu.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultSubtitle com.saitama:textAppearanceSearchResultSubtitle}</code></td><td>Text color, typeface, size, and style for system search result subtitle.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSearchResultTitle com.saitama:textAppearanceSearchResultTitle}</code></td><td>Text color, typeface, size, and style for system search result title.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textAppearanceSmallPopupMenu com.saitama:textAppearanceSmallPopupMenu}</code></td><td>Text color, typeface, size, and style for small text inside of a popup menu.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textColorAlertDialogListItem com.saitama:textColorAlertDialogListItem}</code></td><td>Color of list item text in alert dialogs.</td></tr> * <tr><td><code>{@link #AppCompatTheme_textColorSearchUrl com.saitama:textColorSearchUrl}</code></td><td>Text color for urls in search suggestions, used by things like global search</td></tr> * <tr><td><code>{@link #AppCompatTheme_toolbarNavigationButtonStyle com.saitama:toolbarNavigationButtonStyle}</code></td><td>Default Toolar NavigationButtonStyle</td></tr> * <tr><td><code>{@link #AppCompatTheme_toolbarStyle com.saitama:toolbarStyle}</code></td><td>Default Toolbar style.</td></tr> * <tr><td><code>{@link #AppCompatTheme_tooltipForegroundColor com.saitama:tooltipForegroundColor}</code></td><td>Foreground color to use for tooltips</td></tr> * <tr><td><code>{@link #AppCompatTheme_tooltipFrameBackground com.saitama:tooltipFrameBackground}</code></td><td>Background to use for tooltips</td></tr> * <tr><td><code>{@link #AppCompatTheme_viewInflaterClass com.saitama:viewInflaterClass}</code></td><td></td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionBar com.saitama:windowActionBar}</code></td><td>Flag indicating whether this window should have an Action Bar * in place of the usual title bar.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionBarOverlay com.saitama:windowActionBarOverlay}</code></td><td>Flag indicating whether this window's Action Bar should overlay * application content.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowActionModeOverlay com.saitama:windowActionModeOverlay}</code></td><td>Flag indicating whether action modes should overlay window content * when there is not reserved space for their UI (such as an Action Bar).</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMajor com.saitama:windowFixedHeightMajor}</code></td><td>A fixed height for the window along the major axis of the screen, * that is, when in portrait.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedHeightMinor com.saitama:windowFixedHeightMinor}</code></td><td>A fixed height for the window along the minor axis of the screen, * that is, when in landscape.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMajor com.saitama:windowFixedWidthMajor}</code></td><td>A fixed width for the window along the major axis of the screen, * that is, when in landscape.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowFixedWidthMinor com.saitama:windowFixedWidthMinor}</code></td><td>A fixed width for the window along the minor axis of the screen, * that is, when in portrait.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowMinWidthMajor com.saitama:windowMinWidthMajor}</code></td><td>The minimum width the window is allowed to be, along the major * axis of the screen.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowMinWidthMinor com.saitama:windowMinWidthMinor}</code></td><td>The minimum width the window is allowed to be, along the minor * axis of the screen.</td></tr> * <tr><td><code>{@link #AppCompatTheme_windowNoTitle com.saitama:windowNoTitle}</code></td><td>Flag indicating whether there should be no title on this window.</td></tr> * </table> * @see #AppCompatTheme_android_windowIsFloating * @see #AppCompatTheme_android_windowAnimationStyle * @see #AppCompatTheme_actionBarDivider * @see #AppCompatTheme_actionBarItemBackground * @see #AppCompatTheme_actionBarPopupTheme * @see #AppCompatTheme_actionBarSize * @see #AppCompatTheme_actionBarSplitStyle * @see #AppCompatTheme_actionBarStyle * @see #AppCompatTheme_actionBarTabBarStyle * @see #AppCompatTheme_actionBarTabStyle * @see #AppCompatTheme_actionBarTabTextStyle * @see #AppCompatTheme_actionBarTheme * @see #AppCompatTheme_actionBarWidgetTheme * @see #AppCompatTheme_actionButtonStyle * @see #AppCompatTheme_actionDropDownStyle * @see #AppCompatTheme_actionMenuTextAppearance * @see #AppCompatTheme_actionMenuTextColor * @see #AppCompatTheme_actionModeBackground * @see #AppCompatTheme_actionModeCloseButtonStyle * @see #AppCompatTheme_actionModeCloseDrawable * @see #AppCompatTheme_actionModeCopyDrawable * @see #AppCompatTheme_actionModeCutDrawable * @see #AppCompatTheme_actionModeFindDrawable * @see #AppCompatTheme_actionModePasteDrawable * @see #AppCompatTheme_actionModePopupWindowStyle * @see #AppCompatTheme_actionModeSelectAllDrawable * @see #AppCompatTheme_actionModeShareDrawable * @see #AppCompatTheme_actionModeSplitBackground * @see #AppCompatTheme_actionModeStyle * @see #AppCompatTheme_actionModeWebSearchDrawable * @see #AppCompatTheme_actionOverflowButtonStyle * @see #AppCompatTheme_actionOverflowMenuStyle * @see #AppCompatTheme_activityChooserViewStyle * @see #AppCompatTheme_alertDialogButtonGroupStyle * @see #AppCompatTheme_alertDialogCenterButtons * @see #AppCompatTheme_alertDialogStyle * @see #AppCompatTheme_alertDialogTheme * @see #AppCompatTheme_autoCompleteTextViewStyle * @see #AppCompatTheme_borderlessButtonStyle * @see #AppCompatTheme_buttonBarButtonStyle * @see #AppCompatTheme_buttonBarNegativeButtonStyle * @see #AppCompatTheme_buttonBarNeutralButtonStyle * @see #AppCompatTheme_buttonBarPositiveButtonStyle * @see #AppCompatTheme_buttonBarStyle * @see #AppCompatTheme_buttonStyle * @see #AppCompatTheme_buttonStyleSmall * @see #AppCompatTheme_checkboxStyle * @see #AppCompatTheme_checkedTextViewStyle * @see #AppCompatTheme_colorAccent * @see #AppCompatTheme_colorBackgroundFloating * @see #AppCompatTheme_colorButtonNormal * @see #AppCompatTheme_colorControlActivated * @see #AppCompatTheme_colorControlHighlight * @see #AppCompatTheme_colorControlNormal * @see #AppCompatTheme_colorError * @see #AppCompatTheme_colorPrimary * @see #AppCompatTheme_colorPrimaryDark * @see #AppCompatTheme_colorSwitchThumbNormal * @see #AppCompatTheme_controlBackground * @see #AppCompatTheme_dialogCornerRadius * @see #AppCompatTheme_dialogPreferredPadding * @see #AppCompatTheme_dialogTheme * @see #AppCompatTheme_dividerHorizontal * @see #AppCompatTheme_dividerVertical * @see #AppCompatTheme_dropDownListViewStyle * @see #AppCompatTheme_dropdownListPreferredItemHeight * @see #AppCompatTheme_editTextBackground * @see #AppCompatTheme_editTextColor * @see #AppCompatTheme_editTextStyle * @see #AppCompatTheme_homeAsUpIndicator * @see #AppCompatTheme_imageButtonStyle * @see #AppCompatTheme_listChoiceBackgroundIndicator * @see #AppCompatTheme_listDividerAlertDialog * @see #AppCompatTheme_listMenuViewStyle * @see #AppCompatTheme_listPopupWindowStyle * @see #AppCompatTheme_listPreferredItemHeight * @see #AppCompatTheme_listPreferredItemHeightLarge * @see #AppCompatTheme_listPreferredItemHeightSmall * @see #AppCompatTheme_listPreferredItemPaddingLeft * @see #AppCompatTheme_listPreferredItemPaddingRight * @see #AppCompatTheme_panelBackground * @see #AppCompatTheme_panelMenuListTheme * @see #AppCompatTheme_panelMenuListWidth * @see #AppCompatTheme_popupMenuStyle * @see #AppCompatTheme_popupWindowStyle * @see #AppCompatTheme_radioButtonStyle * @see #AppCompatTheme_ratingBarStyle * @see #AppCompatTheme_ratingBarStyleIndicator * @see #AppCompatTheme_ratingBarStyleSmall * @see #AppCompatTheme_searchViewStyle * @see #AppCompatTheme_seekBarStyle * @see #AppCompatTheme_selectableItemBackground * @see #AppCompatTheme_selectableItemBackgroundBorderless * @see #AppCompatTheme_spinnerDropDownItemStyle * @see #AppCompatTheme_spinnerStyle * @see #AppCompatTheme_switchStyle * @see #AppCompatTheme_textAppearanceLargePopupMenu * @see #AppCompatTheme_textAppearanceListItem * @see #AppCompatTheme_textAppearanceListItemSecondary * @see #AppCompatTheme_textAppearanceListItemSmall * @see #AppCompatTheme_textAppearancePopupMenuHeader * @see #AppCompatTheme_textAppearanceSearchResultSubtitle * @see #AppCompatTheme_textAppearanceSearchResultTitle * @see #AppCompatTheme_textAppearanceSmallPopupMenu * @see #AppCompatTheme_textColorAlertDialogListItem * @see #AppCompatTheme_textColorSearchUrl * @see #AppCompatTheme_toolbarNavigationButtonStyle * @see #AppCompatTheme_toolbarStyle * @see #AppCompatTheme_tooltipForegroundColor * @see #AppCompatTheme_tooltipFrameBackground * @see #AppCompatTheme_viewInflaterClass * @see #AppCompatTheme_windowActionBar * @see #AppCompatTheme_windowActionBarOverlay * @see #AppCompatTheme_windowActionModeOverlay * @see #AppCompatTheme_windowFixedHeightMajor * @see #AppCompatTheme_windowFixedHeightMinor * @see #AppCompatTheme_windowFixedWidthMajor * @see #AppCompatTheme_windowFixedWidthMinor * @see #AppCompatTheme_windowMinWidthMajor * @see #AppCompatTheme_windowMinWidthMinor * @see #AppCompatTheme_windowNoTitle */ public static final int[] AppCompatTheme={ 0x01010057, 0x010100ae, 0x7f020000, 0x7f020001, 0x7f020002, 0x7f020003, 0x7f020004, 0x7f020005, 0x7f020006, 0x7f020007, 0x7f020008, 0x7f020009, 0x7f02000a, 0x7f02000b, 0x7f02000c, 0x7f02000e, 0x7f02000f, 0x7f020010, 0x7f020011, 0x7f020012, 0x7f020013, 0x7f020014, 0x7f020015, 0x7f020016, 0x7f020017, 0x7f020018, 0x7f020019, 0x7f02001a, 0x7f02001b, 0x7f02001c, 0x7f02001d, 0x7f02001e, 0x7f020021, 0x7f020025, 0x7f020026, 0x7f020027, 0x7f020028, 0x7f02002e, 0x7f02003b, 0x7f02003c, 0x7f02003d, 0x7f02003e, 0x7f02003f, 0x7f020040, 0x7f020044, 0x7f020045, 0x7f020048, 0x7f020049, 0x7f02004f, 0x7f020050, 0x7f020051, 0x7f020052, 0x7f020053, 0x7f020054, 0x7f020055, 0x7f020056, 0x7f020057, 0x7f020058, 0x7f020061, 0x7f020065, 0x7f020066, 0x7f020067, 0x7f02006a, 0x7f02006c, 0x7f02006f, 0x7f020070, 0x7f020071, 0x7f020072, 0x7f020073, 0x7f020089, 0x7f02008f, 0x7f02009e, 0x7f02009f, 0x7f0200a2, 0x7f0200a3, 0x7f0200a4, 0x7f0200a5, 0x7f0200a6, 0x7f0200a7, 0x7f0200a8, 0x7f0200b8, 0x7f0200b9, 0x7f0200ba, 0x7f0200bd, 0x7f0200bf, 0x7f0200c9, 0x7f0200ca, 0x7f0200cb, 0x7f0200cc, 0x7f0200df, 0x7f0200e0, 0x7f0200e1, 0x7f0200e2, 0x7f0200e9, 0x7f0200ea, 0x7f0200f8, 0x7f0200fb, 0x7f0200fc, 0x7f0200fd, 0x7f0200fe, 0x7f0200ff, 0x7f020100, 0x7f020101, 0x7f020102, 0x7f020103, 0x7f020104, 0x7f020119, 0x7f02011a, 0x7f02011b, 0x7f02011c, 0x7f020123, 0x7f020125, 0x7f020126, 0x7f020127, 0x7f020128, 0x7f020129, 0x7f02012a, 0x7f02012b, 0x7f02012c, 0x7f02012d, 0x7f02012e }; /** * <p>This symbol is the offset where the {@link android.R.attr#windowIsFloating} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:windowIsFloating */ public static final int AppCompatTheme_android_windowIsFloating=0; /** * <p>This symbol is the offset where the {@link android.R.attr#windowAnimationStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:windowAnimationStyle */ public static final int AppCompatTheme_android_windowAnimationStyle=1; /** * <p> * @attr description * Custom divider drawable to use for elements in the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarDivider */ public static final int AppCompatTheme_actionBarDivider=2; /** * <p> * @attr description * Custom item state list drawable background for action bar items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarItemBackground */ public static final int AppCompatTheme_actionBarItemBackground=3; /** * <p> * @attr description * Reference to a theme that should be used to inflate popups * shown by widgets in the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarPopupTheme */ public static final int AppCompatTheme_actionBarPopupTheme=4; /** * <p> * @attr description * Size of the Action Bar, including the contextual * bar used to present Action Modes. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>wrap_content</td><td>0</td><td></td></tr> * </table> * * @attr name com.saitama:actionBarSize */ public static final int AppCompatTheme_actionBarSize=5; /** * <p> * @attr description * Reference to a style for the split Action Bar. This style * controls the split component that holds the menu/action * buttons. actionBarStyle is still used for the primary * bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarSplitStyle */ public static final int AppCompatTheme_actionBarSplitStyle=6; /** * <p> * @attr description * Reference to a style for the Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarStyle */ public static final int AppCompatTheme_actionBarStyle=7; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#actionBarTabBarStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarTabBarStyle */ public static final int AppCompatTheme_actionBarTabBarStyle=8; /** * <p> * @attr description * Default style for tabs within an action bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarTabStyle */ public static final int AppCompatTheme_actionBarTabStyle=9; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#actionBarTabTextStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarTabTextStyle */ public static final int AppCompatTheme_actionBarTabTextStyle=10; /** * <p> * @attr description * Reference to a theme that should be used to inflate the * action bar. This will be inherited by any widget inflated * into the action bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarTheme */ public static final int AppCompatTheme_actionBarTheme=11; /** * <p> * @attr description * Reference to a theme that should be used to inflate widgets * and layouts destined for the action bar. Most of the time * this will be a reference to the current theme, but when * the action bar has a significantly different contrast * profile than the rest of the activity the difference * can become important. If this is set to @null the current * theme will be used. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionBarWidgetTheme */ public static final int AppCompatTheme_actionBarWidgetTheme=12; /** * <p> * @attr description * Default action button style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionButtonStyle */ public static final int AppCompatTheme_actionButtonStyle=13; /** * <p> * @attr description * Default ActionBar dropdown style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionDropDownStyle */ public static final int AppCompatTheme_actionDropDownStyle=14; /** * <p> * @attr description * TextAppearance style that will be applied to text that * appears within action menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionMenuTextAppearance */ public static final int AppCompatTheme_actionMenuTextAppearance=15; /** * <p> * @attr description * Color for text that appears within action menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:actionMenuTextColor */ public static final int AppCompatTheme_actionMenuTextColor=16; /** * <p> * @attr description * Background drawable to use for action mode UI * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeBackground */ public static final int AppCompatTheme_actionModeBackground=17; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#actionModeCloseButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeCloseButtonStyle */ public static final int AppCompatTheme_actionModeCloseButtonStyle=18; /** * <p> * @attr description * Drawable to use for the close action mode button * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeCloseDrawable */ public static final int AppCompatTheme_actionModeCloseDrawable=19; /** * <p> * @attr description * Drawable to use for the Copy action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeCopyDrawable */ public static final int AppCompatTheme_actionModeCopyDrawable=20; /** * <p> * @attr description * Drawable to use for the Cut action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeCutDrawable */ public static final int AppCompatTheme_actionModeCutDrawable=21; /** * <p> * @attr description * Drawable to use for the Find action button in WebView selection action modes * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeFindDrawable */ public static final int AppCompatTheme_actionModeFindDrawable=22; /** * <p> * @attr description * Drawable to use for the Paste action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModePasteDrawable */ public static final int AppCompatTheme_actionModePasteDrawable=23; /** * <p> * @attr description * PopupWindow style to use for action modes when showing as a window overlay. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModePopupWindowStyle */ public static final int AppCompatTheme_actionModePopupWindowStyle=24; /** * <p> * @attr description * Drawable to use for the Select all action button in Contextual Action Bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeSelectAllDrawable */ public static final int AppCompatTheme_actionModeSelectAllDrawable=25; /** * <p> * @attr description * Drawable to use for the Share action button in WebView selection action modes * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeShareDrawable */ public static final int AppCompatTheme_actionModeShareDrawable=26; /** * <p> * @attr description * Background drawable to use for action mode UI in the lower split bar * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeSplitBackground */ public static final int AppCompatTheme_actionModeSplitBackground=27; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#actionModeStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeStyle */ public static final int AppCompatTheme_actionModeStyle=28; /** * <p> * @attr description * Drawable to use for the Web Search action button in WebView selection action modes * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionModeWebSearchDrawable */ public static final int AppCompatTheme_actionModeWebSearchDrawable=29; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#actionOverflowButtonStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionOverflowButtonStyle */ public static final int AppCompatTheme_actionOverflowButtonStyle=30; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#actionOverflowMenuStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionOverflowMenuStyle */ public static final int AppCompatTheme_actionOverflowMenuStyle=31; /** * <p> * @attr description * Default ActivityChooserView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:activityChooserViewStyle */ public static final int AppCompatTheme_activityChooserViewStyle=32; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#alertDialogButtonGroupStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:alertDialogButtonGroupStyle */ public static final int AppCompatTheme_alertDialogButtonGroupStyle=33; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#alertDialogCenterButtons} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:alertDialogCenterButtons */ public static final int AppCompatTheme_alertDialogCenterButtons=34; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#alertDialogStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:alertDialogStyle */ public static final int AppCompatTheme_alertDialogStyle=35; /** * <p> * @attr description * Theme to use for alert dialogs spawned from this theme. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:alertDialogTheme */ public static final int AppCompatTheme_alertDialogTheme=36; /** * <p> * @attr description * Default AutoCompleteTextView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:autoCompleteTextViewStyle */ public static final int AppCompatTheme_autoCompleteTextViewStyle=37; /** * <p> * @attr description * Style for buttons without an explicit border, often used in groups. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:borderlessButtonStyle */ public static final int AppCompatTheme_borderlessButtonStyle=38; /** * <p> * @attr description * Style for buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonBarButtonStyle */ public static final int AppCompatTheme_buttonBarButtonStyle=39; /** * <p> * @attr description * Style for the "negative" buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonBarNegativeButtonStyle */ public static final int AppCompatTheme_buttonBarNegativeButtonStyle=40; /** * <p> * @attr description * Style for the "neutral" buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonBarNeutralButtonStyle */ public static final int AppCompatTheme_buttonBarNeutralButtonStyle=41; /** * <p> * @attr description * Style for the "positive" buttons within button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonBarPositiveButtonStyle */ public static final int AppCompatTheme_buttonBarPositiveButtonStyle=42; /** * <p> * @attr description * Style for button bars * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonBarStyle */ public static final int AppCompatTheme_buttonBarStyle=43; /** * <p> * @attr description * Normal Button style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonStyle */ public static final int AppCompatTheme_buttonStyle=44; /** * <p> * @attr description * Small Button style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:buttonStyleSmall */ public static final int AppCompatTheme_buttonStyleSmall=45; /** * <p> * @attr description * Default Checkbox style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:checkboxStyle */ public static final int AppCompatTheme_checkboxStyle=46; /** * <p> * @attr description * Default CheckedTextView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:checkedTextViewStyle */ public static final int AppCompatTheme_checkedTextViewStyle=47; /** * <p> * @attr description * Bright complement to the primary branding color. By default, this is the color applied * to framework controls (via colorControlActivated). * * <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.saitama:colorAccent */ public static final int AppCompatTheme_colorAccent=48; /** * <p> * @attr description * Default color of background imagery for floating components, ex. dialogs, popups, and cards. * * <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.saitama:colorBackgroundFloating */ public static final int AppCompatTheme_colorBackgroundFloating=49; /** * <p> * @attr description * The color applied to framework buttons in their normal state. * * <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.saitama:colorButtonNormal */ public static final int AppCompatTheme_colorButtonNormal=50; /** * <p> * @attr description * The color applied to framework controls in their activated (ex. checked) state. * * <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.saitama:colorControlActivated */ public static final int AppCompatTheme_colorControlActivated=51; /** * <p> * @attr description * The color applied to framework control highlights (ex. ripples, list selectors). * * <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.saitama:colorControlHighlight */ public static final int AppCompatTheme_colorControlHighlight=52; /** * <p> * @attr description * The color applied to framework controls in their normal state. * * <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.saitama:colorControlNormal */ public static final int AppCompatTheme_colorControlNormal=53; /** * <p> * @attr description * Color used for error states and things that need to be drawn to * the user's attention. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:colorError */ public static final int AppCompatTheme_colorError=54; /** * <p> * @attr description * The primary branding color for the app. By default, this is the color applied to the * action bar background. * * <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.saitama:colorPrimary */ public static final int AppCompatTheme_colorPrimary=55; /** * <p> * @attr description * Dark variant of the primary branding color. By default, this is the color applied to * the status bar (via statusBarColor) and navigation bar (via navigationBarColor). * * <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.saitama:colorPrimaryDark */ public static final int AppCompatTheme_colorPrimaryDark=56; /** * <p> * @attr description * The color applied to framework switch thumbs in their normal state. * * <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.saitama:colorSwitchThumbNormal */ public static final int AppCompatTheme_colorSwitchThumbNormal=57; /** * <p> * @attr description * The background used by framework controls. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:controlBackground */ public static final int AppCompatTheme_controlBackground=58; /** * <p> * @attr description * Preferred corner radius of dialogs. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:dialogCornerRadius */ public static final int AppCompatTheme_dialogCornerRadius=59; /** * <p> * @attr description * Preferred padding for dialog content. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:dialogPreferredPadding */ public static final int AppCompatTheme_dialogPreferredPadding=60; /** * <p> * @attr description * Theme to use for dialogs spawned from this theme. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:dialogTheme */ public static final int AppCompatTheme_dialogTheme=61; /** * <p> * @attr description * A drawable that may be used as a horizontal divider between visual elements. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:dividerHorizontal */ public static final int AppCompatTheme_dividerHorizontal=62; /** * <p> * @attr description * A drawable that may be used as a vertical divider between visual elements. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:dividerVertical */ public static final int AppCompatTheme_dividerVertical=63; /** * <p> * @attr description * ListPopupWindow compatibility * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:dropDownListViewStyle */ public static final int AppCompatTheme_dropDownListViewStyle=64; /** * <p> * @attr description * The preferred item height for dropdown lists. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:dropdownListPreferredItemHeight */ public static final int AppCompatTheme_dropdownListPreferredItemHeight=65; /** * <p> * @attr description * EditText background drawable. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:editTextBackground */ public static final int AppCompatTheme_editTextBackground=66; /** * <p> * @attr description * EditText text foreground color. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:editTextColor */ public static final int AppCompatTheme_editTextColor=67; /** * <p> * @attr description * Default EditText style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:editTextStyle */ public static final int AppCompatTheme_editTextStyle=68; /** * <p> * @attr description * Specifies a drawable to use for the 'home as up' indicator. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:homeAsUpIndicator */ public static final int AppCompatTheme_homeAsUpIndicator=69; /** * <p> * @attr description * ImageButton background drawable. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:imageButtonStyle */ public static final int AppCompatTheme_imageButtonStyle=70; /** * <p> * @attr description * Drawable used as a background for selected list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:listChoiceBackgroundIndicator */ public static final int AppCompatTheme_listChoiceBackgroundIndicator=71; /** * <p> * @attr description * The list divider used in alert dialogs. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:listDividerAlertDialog */ public static final int AppCompatTheme_listDividerAlertDialog=72; /** * <p> * @attr description * Default menu-style ListView style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:listMenuViewStyle */ public static final int AppCompatTheme_listMenuViewStyle=73; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#listPopupWindowStyle} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:listPopupWindowStyle */ public static final int AppCompatTheme_listPopupWindowStyle=74; /** * <p> * @attr description * The preferred list item height. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:listPreferredItemHeight */ public static final int AppCompatTheme_listPreferredItemHeight=75; /** * <p> * @attr description * A larger, more robust list item height. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:listPreferredItemHeightLarge */ public static final int AppCompatTheme_listPreferredItemHeightLarge=76; /** * <p> * @attr description * A smaller, sleeker list item height. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:listPreferredItemHeightSmall */ public static final int AppCompatTheme_listPreferredItemHeightSmall=77; /** * <p> * @attr description * The preferred padding along the left edge of list items. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:listPreferredItemPaddingLeft */ public static final int AppCompatTheme_listPreferredItemPaddingLeft=78; /** * <p> * @attr description * The preferred padding along the right edge of list items. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:listPreferredItemPaddingRight */ public static final int AppCompatTheme_listPreferredItemPaddingRight=79; /** * <p> * @attr description * The background of a panel when it is inset from the left and right edges of the screen. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:panelBackground */ public static final int AppCompatTheme_panelBackground=80; /** * <p> * @attr description * Default Panel Menu style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:panelMenuListTheme */ public static final int AppCompatTheme_panelMenuListTheme=81; /** * <p> * @attr description * Default Panel Menu width. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:panelMenuListWidth */ public static final int AppCompatTheme_panelMenuListWidth=82; /** * <p> * @attr description * Default PopupMenu style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:popupMenuStyle */ public static final int AppCompatTheme_popupMenuStyle=83; /** * <p> * @attr description * Default PopupWindow style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:popupWindowStyle */ public static final int AppCompatTheme_popupWindowStyle=84; /** * <p> * @attr description * Default RadioButton style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:radioButtonStyle */ public static final int AppCompatTheme_radioButtonStyle=85; /** * <p> * @attr description * Default RatingBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:ratingBarStyle */ public static final int AppCompatTheme_ratingBarStyle=86; /** * <p> * @attr description * Indicator RatingBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:ratingBarStyleIndicator */ public static final int AppCompatTheme_ratingBarStyleIndicator=87; /** * <p> * @attr description * Small indicator RatingBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:ratingBarStyleSmall */ public static final int AppCompatTheme_ratingBarStyleSmall=88; /** * <p> * @attr description * Style for the search query widget. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:searchViewStyle */ public static final int AppCompatTheme_searchViewStyle=89; /** * <p> * @attr description * Default SeekBar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:seekBarStyle */ public static final int AppCompatTheme_seekBarStyle=90; /** * <p> * @attr description * A style that may be applied to buttons or other selectable items * that should react to pressed and focus states, but that do not * have a clear visual border along the edges. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:selectableItemBackground */ public static final int AppCompatTheme_selectableItemBackground=91; /** * <p> * @attr description * Background drawable for borderless standalone items that need focus/pressed states. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:selectableItemBackgroundBorderless */ public static final int AppCompatTheme_selectableItemBackgroundBorderless=92; /** * <p> * @attr description * Default Spinner style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:spinnerDropDownItemStyle */ public static final int AppCompatTheme_spinnerDropDownItemStyle=93; /** * <p> * @attr description * Default Spinner style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:spinnerStyle */ public static final int AppCompatTheme_spinnerStyle=94; /** * <p> * @attr description * Default style for the Switch widget. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:switchStyle */ public static final int AppCompatTheme_switchStyle=95; /** * <p> * @attr description * Text color, typeface, size, and style for the text inside of a popup menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceLargePopupMenu */ public static final int AppCompatTheme_textAppearanceLargePopupMenu=96; /** * <p> * @attr description * The preferred TextAppearance for the primary text of list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceListItem */ public static final int AppCompatTheme_textAppearanceListItem=97; /** * <p> * @attr description * The preferred TextAppearance for the secondary text of list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceListItemSecondary */ public static final int AppCompatTheme_textAppearanceListItemSecondary=98; /** * <p> * @attr description * The preferred TextAppearance for the primary text of small list items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceListItemSmall */ public static final int AppCompatTheme_textAppearanceListItemSmall=99; /** * <p> * @attr description * Text color, typeface, size, and style for header text inside of a popup menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearancePopupMenuHeader */ public static final int AppCompatTheme_textAppearancePopupMenuHeader=100; /** * <p> * @attr description * Text color, typeface, size, and style for system search result subtitle. Defaults to primary inverse text color. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceSearchResultSubtitle */ public static final int AppCompatTheme_textAppearanceSearchResultSubtitle=101; /** * <p> * @attr description * Text color, typeface, size, and style for system search result title. Defaults to primary inverse text color. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceSearchResultTitle */ public static final int AppCompatTheme_textAppearanceSearchResultTitle=102; /** * <p> * @attr description * Text color, typeface, size, and style for small text inside of a popup menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:textAppearanceSmallPopupMenu */ public static final int AppCompatTheme_textAppearanceSmallPopupMenu=103; /** * <p> * @attr description * Color of list item text in alert dialogs. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:textColorAlertDialogListItem */ public static final int AppCompatTheme_textColorAlertDialogListItem=104; /** * <p> * @attr description * Text color for urls in search suggestions, used by things like global search * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:textColorSearchUrl */ public static final int AppCompatTheme_textColorSearchUrl=105; /** * <p> * @attr description * Default Toolar NavigationButtonStyle * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:toolbarNavigationButtonStyle */ public static final int AppCompatTheme_toolbarNavigationButtonStyle=106; /** * <p> * @attr description * Default Toolbar style. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:toolbarStyle */ public static final int AppCompatTheme_toolbarStyle=107; /** * <p> * @attr description * Foreground color to use for tooltips * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:tooltipForegroundColor */ public static final int AppCompatTheme_tooltipForegroundColor=108; /** * <p> * @attr description * Background to use for tooltips * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:tooltipFrameBackground */ public static final int AppCompatTheme_tooltipFrameBackground=109; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#viewInflaterClass} * attribute's value can be found in the {@link #AppCompatTheme} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:viewInflaterClass */ public static final int AppCompatTheme_viewInflaterClass=110; /** * <p> * @attr description * Flag indicating whether this window should have an Action Bar * in place of the usual title bar. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:windowActionBar */ public static final int AppCompatTheme_windowActionBar=111; /** * <p> * @attr description * Flag indicating whether this window's Action Bar should overlay * application content. Does nothing if the window would not * have an Action Bar. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:windowActionBarOverlay */ public static final int AppCompatTheme_windowActionBarOverlay=112; /** * <p> * @attr description * Flag indicating whether action modes should overlay window content * when there is not reserved space for their UI (such as an Action Bar). * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:windowActionModeOverlay */ public static final int AppCompatTheme_windowActionModeOverlay=113; /** * <p> * @attr description * A fixed height for the window along the major axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.saitama:windowFixedHeightMajor */ public static final int AppCompatTheme_windowFixedHeightMajor=114; /** * <p> * @attr description * A fixed height for the window along the minor axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.saitama:windowFixedHeightMinor */ public static final int AppCompatTheme_windowFixedHeightMinor=115; /** * <p> * @attr description * A fixed width for the window along the major axis of the screen, * that is, when in landscape. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.saitama:windowFixedWidthMajor */ public static final int AppCompatTheme_windowFixedWidthMajor=116; /** * <p> * @attr description * A fixed width for the window along the minor axis of the screen, * that is, when in portrait. Can be either an absolute dimension * or a fraction of the screen size in that dimension. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.saitama:windowFixedWidthMinor */ public static final int AppCompatTheme_windowFixedWidthMinor=117; /** * <p> * @attr description * The minimum width the window is allowed to be, along the major * axis of the screen. That is, when in landscape. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.saitama:windowMinWidthMajor */ public static final int AppCompatTheme_windowMinWidthMajor=118; /** * <p> * @attr description * The minimum width the window is allowed to be, along the minor * axis of the screen. That is, when in portrait. Can be either * an absolute dimension or a fraction of the screen size in that * dimension. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name com.saitama:windowMinWidthMinor */ public static final int AppCompatTheme_windowMinWidthMinor=119; /** * <p> * @attr description * Flag indicating whether there should be no title on this window. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:windowNoTitle */ public static final int AppCompatTheme_windowNoTitle=120; /** * 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.saitama:allowStacking}</code></td><td>Whether to automatically stack the buttons when there is not * enough space to lay them out side-by-side.</td></tr> * </table> * @see #ButtonBarLayout_allowStacking */ public static final int[] ButtonBarLayout={ 0x7f020029 }; /** * <p> * @attr description * Whether to automatically stack the buttons when there is not * enough space to lay them out side-by-side. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:allowStacking */ public static final 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_android_color android:color}</code></td><td></td></tr> * <tr><td><code>{@link #ColorStateListItem_android_alpha android:alpha}</code></td><td></td></tr> * <tr><td><code>{@link #ColorStateListItem_alpha com.saitama:alpha}</code></td><td>Alpha multiplier applied to the base color.</td></tr> * </table> * @see #ColorStateListItem_android_color * @see #ColorStateListItem_android_alpha * @see #ColorStateListItem_alpha */ public static final int[] ColorStateListItem={ 0x010101a5, 0x0101031f, 0x7f02002a }; /** * <p> * @attr description * Base color for this state. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:color */ public static final int ColorStateListItem_android_color=0; /** * <p>This symbol is the offset where the {@link android.R.attr#alpha} * attribute's value can be found in the {@link #ColorStateListItem} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:alpha */ public static final int ColorStateListItem_android_alpha=1; /** * <p> * @attr description * Alpha multiplier applied to the base color. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.saitama:alpha */ public static final int ColorStateListItem_alpha=2; /** * Attributes that can be used with a CompoundButton. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CompoundButton_android_button android:button}</code></td><td></td></tr> * <tr><td><code>{@link #CompoundButton_buttonTint com.saitama:buttonTint}</code></td><td>Tint to apply to the button drawable.</td></tr> * <tr><td><code>{@link #CompoundButton_buttonTintMode com.saitama:buttonTintMode}</code></td><td>Blending mode used to apply the button tint.</td></tr> * </table> * @see #CompoundButton_android_button * @see #CompoundButton_buttonTint * @see #CompoundButton_buttonTintMode */ public static final int[] CompoundButton={ 0x01010107, 0x7f020046, 0x7f020047 }; /** * <p>This symbol is the offset where the {@link android.R.attr#button} * attribute's value can be found in the {@link #CompoundButton} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:button */ public static final int CompoundButton_android_button=0; /** * <p> * @attr description * Tint to apply to the button drawable. * * <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.saitama:buttonTint */ public static final int CompoundButton_buttonTint=1; /** * <p> * @attr description * Blending mode used to apply the button tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:buttonTintMode */ public static final int CompoundButton_buttonTintMode=2; /** * Attributes that can be used with a CoordinatorLayout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CoordinatorLayout_keylines com.saitama:keylines}</code></td><td>A reference to an array of integers representing the * locations of horizontal keylines in dp from the starting edge.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_statusBarBackground com.saitama:statusBarBackground}</code></td><td>Drawable to display behind the status bar when the view is set to draw behind it.</td></tr> * </table> * @see #CoordinatorLayout_keylines * @see #CoordinatorLayout_statusBarBackground */ public static final int[] CoordinatorLayout={ 0x7f020094, 0x7f0200ee }; /** * <p> * @attr description * A reference to an array of integers representing the * locations of horizontal keylines in dp from the starting edge. * Child views can refer to these keylines for alignment using * layout_keyline="index" where index is a 0-based index into * this array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:keylines */ public static final int CoordinatorLayout_keylines=0; /** * <p> * @attr description * Drawable to display behind the status bar when the view is set to draw behind it. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name com.saitama:statusBarBackground */ public static final int CoordinatorLayout_statusBarBackground=1; /** * Attributes that can be used with a CoordinatorLayout_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchor com.saitama:layout_anchor}</code></td><td>The id of an anchor view that this view should position relative to.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_anchorGravity com.saitama:layout_anchorGravity}</code></td><td>Specifies how an object should position relative to an anchor, on both the X and Y axes, * within its parent's bounds.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_behavior com.saitama:layout_behavior}</code></td><td>The class name of a Behavior class defining special runtime behavior * for this child view.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_dodgeInsetEdges com.saitama:layout_dodgeInsetEdges}</code></td><td>Specifies how this view dodges the inset edges of the CoordinatorLayout.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_insetEdge com.saitama:layout_insetEdge}</code></td><td>Specifies how this view insets the CoordinatorLayout and make some other views * dodge it.</td></tr> * <tr><td><code>{@link #CoordinatorLayout_Layout_layout_keyline com.saitama:layout_keyline}</code></td><td>The index of a keyline this view should position relative to.</td></tr> * </table> * @see #CoordinatorLayout_Layout_android_layout_gravity * @see #CoordinatorLayout_Layout_layout_anchor * @see #CoordinatorLayout_Layout_layout_anchorGravity * @see #CoordinatorLayout_Layout_layout_behavior * @see #CoordinatorLayout_Layout_layout_dodgeInsetEdges * @see #CoordinatorLayout_Layout_layout_insetEdge * @see #CoordinatorLayout_Layout_layout_keyline */ public static final int[] CoordinatorLayout_Layout={ 0x010100b3, 0x7f020097, 0x7f020098, 0x7f020099, 0x7f02009a, 0x7f02009b, 0x7f02009c }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} * attribute's value can be found in the {@link #CoordinatorLayout_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:layout_gravity */ public static final int CoordinatorLayout_Layout_android_layout_gravity=0; /** * <p> * @attr description * The id of an anchor view that this view should position relative to. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:layout_anchor */ public static final int CoordinatorLayout_Layout_layout_anchor=1; /** * <p> * @attr description * Specifies how an object should position relative to an anchor, on both the X and Y axes, * within its parent's bounds. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>center</td><td>11</td><td>Place the object in the center of its container in both the vertical and horizontal axis, not changing its size.</td></tr> * <tr><td>center_horizontal</td><td>1</td><td>Place object in the horizontal center of its container, not changing its size.</td></tr> * <tr><td>center_vertical</td><td>10</td><td>Place object in the vertical center of its container, not changing its size.</td></tr> * <tr><td>clip_horizontal</td><td>8</td><td>Additional option that can be set to have the left and/or right edges of * the child clipped to its container's bounds. * The clip will be based on the horizontal gravity: a left gravity will clip the right * edge, a right gravity will clip the left edge, and neither will clip both edges.</td></tr> * <tr><td>clip_vertical</td><td>80</td><td>Additional option that can be set to have the top and/or bottom edges of * the child clipped to its container's bounds. * The clip will be based on the vertical gravity: a top gravity will clip the bottom * edge, a bottom gravity will clip the top edge, and neither will clip both edges.</td></tr> * <tr><td>end</td><td>800005</td><td>Push object to the end of its container, not changing its size.</td></tr> * <tr><td>fill</td><td>77</td><td>Grow the horizontal and vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_horizontal</td><td>7</td><td>Grow the horizontal size of the object if needed so it completely fills its container.</td></tr> * <tr><td>fill_vertical</td><td>70</td><td>Grow the vertical size of the object if needed so it completely fills its container.</td></tr> * <tr><td>left</td><td>3</td><td>Push object to the left of its container, not changing its size.</td></tr> * <tr><td>right</td><td>5</td><td>Push object to the right of its container, not changing its size.</td></tr> * <tr><td>start</td><td>800003</td><td>Push object to the beginning of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> * * @attr name com.saitama:layout_anchorGravity */ public static final int CoordinatorLayout_Layout_layout_anchorGravity=2; /** * <p> * @attr description * The class name of a Behavior class defining special runtime behavior * for this child view. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:layout_behavior */ public static final int CoordinatorLayout_Layout_layout_behavior=3; /** * <p> * @attr description * Specifies how this view dodges the inset edges of the CoordinatorLayout. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>all</td><td>77</td><td>Dodge all the inset edges.</td></tr> * <tr><td>bottom</td><td>50</td><td>Dodge the bottom inset edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Dodge the end inset edge.</td></tr> * <tr><td>left</td><td>3</td><td>Dodge the left inset edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't dodge any edges</td></tr> * <tr><td>right</td><td>5</td><td>Dodge the right inset edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Dodge the start inset edge.</td></tr> * <tr><td>top</td><td>30</td><td>Dodge the top inset edge.</td></tr> * </table> * * @attr name com.saitama:layout_dodgeInsetEdges */ public static final int CoordinatorLayout_Layout_layout_dodgeInsetEdges=4; /** * <p> * @attr description * Specifies how this view insets the CoordinatorLayout and make some other views * dodge it. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td>Inset the bottom edge.</td></tr> * <tr><td>end</td><td>800005</td><td>Inset the end edge.</td></tr> * <tr><td>left</td><td>3</td><td>Inset the left edge.</td></tr> * <tr><td>none</td><td>0</td><td>Don't inset.</td></tr> * <tr><td>right</td><td>5</td><td>Inset the right edge.</td></tr> * <tr><td>start</td><td>800003</td><td>Inset the start edge.</td></tr> * <tr><td>top</td><td>30</td><td>Inset the top edge.</td></tr> * </table> * * @attr name com.saitama:layout_insetEdge */ public static final int CoordinatorLayout_Layout_layout_insetEdge=5; /** * <p> * @attr description * The index of a keyline this view should position relative to. * android:layout_gravity will affect how the view aligns to the * specified keyline. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:layout_keyline */ public static final int CoordinatorLayout_Layout_layout_keyline=6; /** * 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.saitama:arrowHeadLength}</code></td><td>The length of the arrow head when formed to make an arrow</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_arrowShaftLength com.saitama:arrowShaftLength}</code></td><td>The length of the shaft when formed to make an arrow</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_barLength com.saitama:barLength}</code></td><td>The length of the bars when they are parallel to each other</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_color com.saitama:color}</code></td><td>The drawing color for the bars</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_drawableSize com.saitama:drawableSize}</code></td><td>The total size of the drawable</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_gapBetweenBars com.saitama:gapBetweenBars}</code></td><td>The max gap between the bars when they are parallel to each other</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_spinBars com.saitama:spinBars}</code></td><td>Whether bars should rotate or not during transition</td></tr> * <tr><td><code>{@link #DrawerArrowToggle_thickness com.saitama:thickness}</code></td><td>The thickness (stroke size) for the bar paint</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={ 0x7f02002c, 0x7f02002d, 0x7f02003a, 0x7f02004e, 0x7f02006d, 0x7f020085, 0x7f0200e8, 0x7f020106 }; /** * <p> * @attr description * The length of the arrow head when formed to make an arrow * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:arrowHeadLength */ public static final int DrawerArrowToggle_arrowHeadLength=0; /** * <p> * @attr description * The length of the shaft when formed to make an arrow * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:arrowShaftLength */ public static final int DrawerArrowToggle_arrowShaftLength=1; /** * <p> * @attr description * The length of the bars when they are parallel to each other * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:barLength */ public static final int DrawerArrowToggle_barLength=2; /** * <p> * @attr description * The drawing color for the bars * * <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.saitama:color */ public static final int DrawerArrowToggle_color=3; /** * <p> * @attr description * The total size of the drawable * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:drawableSize */ public static final int DrawerArrowToggle_drawableSize=4; /** * <p> * @attr description * The max gap between the bars when they are parallel to each other * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:gapBetweenBars */ public static final int DrawerArrowToggle_gapBetweenBars=5; /** * <p> * @attr description * Whether bars should rotate or not during transition * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:spinBars */ public static final int DrawerArrowToggle_spinBars=6; /** * <p> * @attr description * The thickness (stroke size) for the bar paint * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:thickness */ public static final 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.saitama:fontProviderAuthority}</code></td><td>The authority of the Font Provider to be used for the request.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderCerts com.saitama:fontProviderCerts}</code></td><td>The sets of hashes for the certificates the provider should be signed with.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderFetchStrategy com.saitama:fontProviderFetchStrategy}</code></td><td>The strategy to be used when fetching font data from a font provider in XML layouts.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderFetchTimeout com.saitama:fontProviderFetchTimeout}</code></td><td>The length of the timeout during fetching.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderPackage com.saitama:fontProviderPackage}</code></td><td>The package for the Font Provider to be used for the request.</td></tr> * <tr><td><code>{@link #FontFamily_fontProviderQuery com.saitama:fontProviderQuery}</code></td><td>The query to be sent over to the provider.</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={ 0x7f02007c, 0x7f02007d, 0x7f02007e, 0x7f02007f, 0x7f020080, 0x7f020081 }; /** * <p> * @attr description * The authority of the Font Provider to be used for the request. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:fontProviderAuthority */ public static final int FontFamily_fontProviderAuthority=0; /** * <p> * @attr description * The sets of hashes for the certificates the provider should be signed with. This is * used to verify the identity of the provider, and is only required if the provider is not * part of the system image. This value may point to one list or a list of lists, where each * individual list represents one collection of signature hashes. Refer to your font provider's * documentation for these values. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:fontProviderCerts */ public static final int FontFamily_fontProviderCerts=1; /** * <p> * @attr description * The strategy to be used when fetching font data from a font provider in XML layouts. * This attribute is ignored when the resource is loaded from code, as it is equivalent to the * choice of API between {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int)} (blocking) and * {@link * androidx.core.content.res.ResourcesCompat#getFont(Context, int, FontCallback, Handler)} * (async). * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>async</td><td>1</td><td>The async font fetch works as follows. * First, check the local cache, then if the requeted font is not cached, trigger a * request the font and continue with layout inflation. Once the font fetch succeeds, the * target text view will be refreshed with the downloaded font data. The * fontProviderFetchTimeout will be ignored if async loading is specified.</td></tr> * <tr><td>blocking</td><td>0</td><td>The blocking font fetch works as follows. * First, check the local cache, then if the requested font is not cached, request the * font from the provider and wait until it is finished. You can change the length of * the timeout by modifying fontProviderFetchTimeout. If the timeout happens, the * default typeface will be used instead.</td></tr> * </table> * * @attr name com.saitama:fontProviderFetchStrategy */ public static final int FontFamily_fontProviderFetchStrategy=2; /** * <p> * @attr description * The length of the timeout during fetching. * * <p>May be an integer value, such as "<code>100</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>forever</td><td>ffffffff</td><td>A special value for the timeout. In this case, the blocking font fetching will not * timeout and wait until a reply is received from the font provider.</td></tr> * </table> * * @attr name com.saitama:fontProviderFetchTimeout */ public static final int FontFamily_fontProviderFetchTimeout=3; /** * <p> * @attr description * The package for the Font Provider to be used for the request. This is used to verify * the identity of the provider. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:fontProviderPackage */ public static final int FontFamily_fontProviderPackage=4; /** * <p> * @attr description * The query to be sent over to the provider. Refer to your font provider's documentation * on the format of this string. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:fontProviderQuery */ public static final int FontFamily_fontProviderQuery=5; /** * Attributes that can be used with a FontFamilyFont. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #FontFamilyFont_android_font android:font}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_fontWeight android:fontWeight}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_fontStyle android:fontStyle}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_ttcIndex android:ttcIndex}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_android_fontVariationSettings android:fontVariationSettings}</code></td><td></td></tr> * <tr><td><code>{@link #FontFamilyFont_font com.saitama:font}</code></td><td>The reference to the font file to be used.</td></tr> * <tr><td><code>{@link #FontFamilyFont_fontStyle com.saitama:fontStyle}</code></td><td>The style of the given font file.</td></tr> * <tr><td><code>{@link #FontFamilyFont_fontVariationSettings com.saitama:fontVariationSettings}</code></td><td>The variation settings to be applied to the font.</td></tr> * <tr><td><code>{@link #FontFamilyFont_fontWeight com.saitama:fontWeight}</code></td><td>The weight of the given font file.</td></tr> * <tr><td><code>{@link #FontFamilyFont_ttcIndex com.saitama:ttcIndex}</code></td><td>The index of the font in the tcc font file.</td></tr> * </table> * @see #FontFamilyFont_android_font * @see #FontFamilyFont_android_fontWeight * @see #FontFamilyFont_android_fontStyle * @see #FontFamilyFont_android_ttcIndex * @see #FontFamilyFont_android_fontVariationSettings * @see #FontFamilyFont_font * @see #FontFamilyFont_fontStyle * @see #FontFamilyFont_fontVariationSettings * @see #FontFamilyFont_fontWeight * @see #FontFamilyFont_ttcIndex */ public static final int[] FontFamilyFont={ 0x01010532, 0x01010533, 0x0101053f, 0x0101056f, 0x01010570, 0x7f02007a, 0x7f020082, 0x7f020083, 0x7f020084, 0x7f020121 }; /** * <p>This symbol is the offset where the {@link android.R.attr#font} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:font */ public static final int FontFamilyFont_android_font=0; /** * <p>This symbol is the offset where the {@link android.R.attr#fontWeight} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:fontWeight */ public static final int FontFamilyFont_android_fontWeight=1; /** * <p> * @attr description * References to the framework attrs * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>italic</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name android:fontStyle */ public static final int FontFamilyFont_android_fontStyle=2; /** * <p>This symbol is the offset where the {@link android.R.attr#ttcIndex} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:ttcIndex */ public static final int FontFamilyFont_android_ttcIndex=3; /** * <p>This symbol is the offset where the {@link android.R.attr#fontVariationSettings} * attribute's value can be found in the {@link #FontFamilyFont} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:fontVariationSettings */ public static final int FontFamilyFont_android_fontVariationSettings=4; /** * <p> * @attr description * The reference to the font file to be used. This should be a file in the res/font folder * and should therefore have an R reference value. E.g. @font/myfont * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:font */ public static final int FontFamilyFont_font=5; /** * <p> * @attr description * The style of the given font file. This will be used when the font is being loaded into * the font stack and will override any style information in the font's header tables. If * unspecified, the value in the font's header tables will be used. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>italic</td><td>1</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name com.saitama:fontStyle */ public static final int FontFamilyFont_fontStyle=6; /** * <p> * @attr description * The variation settings to be applied to the font. The string should be in the following * format: "'tag1' value1, 'tag2' value2, ...". If the default variation settings should be * used, or the font used does not support variation settings, this attribute needs not be * specified. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:fontVariationSettings */ public static final int FontFamilyFont_fontVariationSettings=7; /** * <p> * @attr description * The weight of the given font file. This will be used when the font is being loaded into * the font stack and will override any weight information in the font's header tables. Must * be a positive number, a multiple of 100, and between 100 and 900, inclusive. The most * common values are 400 for regular weight and 700 for bold weight. If unspecified, the value * in the font's header tables will be used. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:fontWeight */ public static final int FontFamilyFont_fontWeight=8; /** * <p> * @attr description * The index of the font in the tcc font file. If the font file referenced is not in the * tcc format, this attribute needs not be specified. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:ttcIndex */ public static final int FontFamilyFont_ttcIndex=9; /** * Attributes that can be used with a GenericDraweeHierarchy. * <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 #GenericDraweeHierarchy_actualImageScaleType com.saitama:actualImageScaleType}</code></td><td>Scale type of the actual image.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_backgroundImage com.saitama:backgroundImage}</code></td><td>A drawable or color to be used as a background.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_fadeDuration com.saitama:fadeDuration}</code></td><td>Fade duration in milliseconds.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_failureImage com.saitama:failureImage}</code></td><td>A drawable to be be used as a failure image.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_failureImageScaleType com.saitama:failureImageScaleType}</code></td><td>Scale type of the failure image.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_overlayImage com.saitama:overlayImage}</code></td><td>A drawable or color to be used as an overlay.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_placeholderImage com.saitama:placeholderImage}</code></td><td>A drawable or color to be be used as a placeholder.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_placeholderImageScaleType com.saitama:placeholderImageScaleType}</code></td><td>Scale type of the placeholder image.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_pressedStateOverlayImage com.saitama:pressedStateOverlayImage}</code></td><td>A drawable or color to be used as a pressed-state-overlay</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_progressBarAutoRotateInterval com.saitama:progressBarAutoRotateInterval}</code></td><td>Progress bar Auto Rotate interval in milliseconds</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_progressBarImage com.saitama:progressBarImage}</code></td><td>A drawable to be be used as a progress bar.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_progressBarImageScaleType com.saitama:progressBarImageScaleType}</code></td><td>Scale type of the progress bar.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_retryImage com.saitama:retryImage}</code></td><td>A drawable to be be used as a retry image.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_retryImageScaleType com.saitama:retryImageScaleType}</code></td><td>Scale type of the retry image.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundAsCircle com.saitama:roundAsCircle}</code></td><td>Round as circle.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomEnd com.saitama:roundBottomEnd}</code></td><td>Round the bottom-end edge.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomLeft com.saitama:roundBottomLeft}</code></td><td>Round the bottom-left corner.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomRight com.saitama:roundBottomRight}</code></td><td>Round the bottom-right corner.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundBottomStart com.saitama:roundBottomStart}</code></td><td>Round the bottom-start edge.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopEnd com.saitama:roundTopEnd}</code></td><td>Round the top-end edge.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopLeft com.saitama:roundTopLeft}</code></td><td>Round the top-left corner.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopRight com.saitama:roundTopRight}</code></td><td>Round the top-right corner.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundTopStart com.saitama:roundTopStart}</code></td><td>Round the top-start edge.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundWithOverlayColor com.saitama:roundWithOverlayColor}</code></td><td>Round by overlying color.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundedCornerRadius com.saitama:roundedCornerRadius}</code></td><td>Rounded corner radius.</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundingBorderColor com.saitama:roundingBorderColor}</code></td><td>Rounding border color</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundingBorderPadding com.saitama:roundingBorderPadding}</code></td><td>Rounding border padding</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_roundingBorderWidth com.saitama:roundingBorderWidth}</code></td><td>Rounding border width</td></tr> * <tr><td><code>{@link #GenericDraweeHierarchy_viewAspectRatio com.saitama:viewAspectRatio}</code></td><td>Aspect ratio (width / height) of the view, not necessarily of the images.</td></tr> * </table> * @see #GenericDraweeHierarchy_actualImageScaleType * @see #GenericDraweeHierarchy_backgroundImage * @see #GenericDraweeHierarchy_fadeDuration * @see #GenericDraweeHierarchy_failureImage * @see #GenericDraweeHierarchy_failureImageScaleType * @see #GenericDraweeHierarchy_overlayImage * @see #GenericDraweeHierarchy_placeholderImage * @see #GenericDraweeHierarchy_placeholderImageScaleType * @see #GenericDraweeHierarchy_pressedStateOverlayImage * @see #GenericDraweeHierarchy_progressBarAutoRotateInterval * @see #GenericDraweeHierarchy_progressBarImage * @see #GenericDraweeHierarchy_progressBarImageScaleType * @see #GenericDraweeHierarchy_retryImage * @see #GenericDraweeHierarchy_retryImageScaleType * @see #GenericDraweeHierarchy_roundAsCircle * @see #GenericDraweeHierarchy_roundBottomEnd * @see #GenericDraweeHierarchy_roundBottomLeft * @see #GenericDraweeHierarchy_roundBottomRight * @see #GenericDraweeHierarchy_roundBottomStart * @see #GenericDraweeHierarchy_roundTopEnd * @see #GenericDraweeHierarchy_roundTopLeft * @see #GenericDraweeHierarchy_roundTopRight * @see #GenericDraweeHierarchy_roundTopStart * @see #GenericDraweeHierarchy_roundWithOverlayColor * @see #GenericDraweeHierarchy_roundedCornerRadius * @see #GenericDraweeHierarchy_roundingBorderColor * @see #GenericDraweeHierarchy_roundingBorderPadding * @see #GenericDraweeHierarchy_roundingBorderWidth * @see #GenericDraweeHierarchy_viewAspectRatio */ public static final int[] GenericDraweeHierarchy={ 0x7f020023, 0x7f020035, 0x7f020076, 0x7f020077, 0x7f020078, 0x7f0200b3, 0x7f0200bb, 0x7f0200bc, 0x7f0200c1, 0x7f0200c2, 0x7f0200c3, 0x7f0200c4, 0x7f0200cd, 0x7f0200ce, 0x7f0200cf, 0x7f0200d0, 0x7f0200d1, 0x7f0200d2, 0x7f0200d3, 0x7f0200d4, 0x7f0200d5, 0x7f0200d6, 0x7f0200d7, 0x7f0200d8, 0x7f0200d9, 0x7f0200da, 0x7f0200db, 0x7f0200dc, 0x7f020122 }; /** * <p> * @attr description * Scale type of the actual image. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:actualImageScaleType */ public static final int GenericDraweeHierarchy_actualImageScaleType=0; /** * <p> * @attr description * A drawable or color to be used as a background. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:backgroundImage */ public static final int GenericDraweeHierarchy_backgroundImage=1; /** * <p> * @attr description * Fade duration in milliseconds. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:fadeDuration */ public static final int GenericDraweeHierarchy_fadeDuration=2; /** * <p> * @attr description * A drawable to be be used as a failure image. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:failureImage */ public static final int GenericDraweeHierarchy_failureImage=3; /** * <p> * @attr description * Scale type of the failure image. Ignored if failureImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:failureImageScaleType */ public static final int GenericDraweeHierarchy_failureImageScaleType=4; /** * <p> * @attr description * A drawable or color to be used as an overlay. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:overlayImage */ public static final int GenericDraweeHierarchy_overlayImage=5; /** * <p> * @attr description * A drawable or color to be be used as a placeholder. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:placeholderImage */ public static final int GenericDraweeHierarchy_placeholderImage=6; /** * <p> * @attr description * Scale type of the placeholder image. Ignored if placeholderImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:placeholderImageScaleType */ public static final int GenericDraweeHierarchy_placeholderImageScaleType=7; /** * <p> * @attr description * A drawable or color to be used as a pressed-state-overlay * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:pressedStateOverlayImage */ public static final int GenericDraweeHierarchy_pressedStateOverlayImage=8; /** * <p> * @attr description * Progress bar Auto Rotate interval in milliseconds * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:progressBarAutoRotateInterval */ public static final int GenericDraweeHierarchy_progressBarAutoRotateInterval=9; /** * <p> * @attr description * A drawable to be be used as a progress bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:progressBarImage */ public static final int GenericDraweeHierarchy_progressBarImage=10; /** * <p> * @attr description * Scale type of the progress bar. Ignored if progressBarImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:progressBarImageScaleType */ public static final int GenericDraweeHierarchy_progressBarImageScaleType=11; /** * <p> * @attr description * A drawable to be be used as a retry image. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:retryImage */ public static final int GenericDraweeHierarchy_retryImage=12; /** * <p> * @attr description * Scale type of the retry image. Ignored if retryImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:retryImageScaleType */ public static final int GenericDraweeHierarchy_retryImageScaleType=13; /** * <p> * @attr description * Round as circle. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundAsCircle */ public static final int GenericDraweeHierarchy_roundAsCircle=14; /** * <p> * @attr description * Round the bottom-end edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomEnd */ public static final int GenericDraweeHierarchy_roundBottomEnd=15; /** * <p> * @attr description * Round the bottom-left corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomLeft */ public static final int GenericDraweeHierarchy_roundBottomLeft=16; /** * <p> * @attr description * Round the bottom-right corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomRight */ public static final int GenericDraweeHierarchy_roundBottomRight=17; /** * <p> * @attr description * Round the bottom-start edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomStart */ public static final int GenericDraweeHierarchy_roundBottomStart=18; /** * <p> * @attr description * Round the top-end edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopEnd */ public static final int GenericDraweeHierarchy_roundTopEnd=19; /** * <p> * @attr description * Round the top-left corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopLeft */ public static final int GenericDraweeHierarchy_roundTopLeft=20; /** * <p> * @attr description * Round the top-right corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopRight */ public static final int GenericDraweeHierarchy_roundTopRight=21; /** * <p> * @attr description * Round the top-start edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopStart */ public static final int GenericDraweeHierarchy_roundTopStart=22; /** * <p> * @attr description * Round by overlying color. * * <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.saitama:roundWithOverlayColor */ public static final int GenericDraweeHierarchy_roundWithOverlayColor=23; /** * <p> * @attr description * Rounded corner radius. Ignored if roundAsCircle is used. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:roundedCornerRadius */ public static final int GenericDraweeHierarchy_roundedCornerRadius=24; /** * <p> * @attr description * Rounding border color * * <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.saitama:roundingBorderColor */ public static final int GenericDraweeHierarchy_roundingBorderColor=25; /** * <p> * @attr description * Rounding border padding * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:roundingBorderPadding */ public static final int GenericDraweeHierarchy_roundingBorderPadding=26; /** * <p> * @attr description * Rounding border width * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:roundingBorderWidth */ public static final int GenericDraweeHierarchy_roundingBorderWidth=27; /** * <p> * @attr description * Aspect ratio (width / height) of the view, not necessarily of the images. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.saitama:viewAspectRatio */ public static final int GenericDraweeHierarchy_viewAspectRatio=28; /** * Attributes that can be used with a GradientColor. * <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 #GradientColor_android_startColor android:startColor}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_endColor android:endColor}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_type android:type}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_centerX android:centerX}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_centerY android:centerY}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_gradientRadius android:gradientRadius}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_tileMode android:tileMode}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_centerColor android:centerColor}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_startX android:startX}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_startY android:startY}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_endX android:endX}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColor_android_endY android:endY}</code></td><td></td></tr> * </table> * @see #GradientColor_android_startColor * @see #GradientColor_android_endColor * @see #GradientColor_android_type * @see #GradientColor_android_centerX * @see #GradientColor_android_centerY * @see #GradientColor_android_gradientRadius * @see #GradientColor_android_tileMode * @see #GradientColor_android_centerColor * @see #GradientColor_android_startX * @see #GradientColor_android_startY * @see #GradientColor_android_endX * @see #GradientColor_android_endY */ public static final int[] GradientColor={ 0x0101019d, 0x0101019e, 0x010101a1, 0x010101a2, 0x010101a3, 0x010101a4, 0x01010201, 0x0101020b, 0x01010510, 0x01010511, 0x01010512, 0x01010513 }; /** * <p> * @attr description * Start color of the gradient. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:startColor */ public static final int GradientColor_android_startColor=0; /** * <p> * @attr description * End color of the gradient. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:endColor */ public static final int GradientColor_android_endColor=1; /** * <p> * @attr description * Type of gradient. The default type is linear. * * <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>linear</td><td>0</td><td></td></tr> * <tr><td>radial</td><td>1</td><td></td></tr> * <tr><td>sweep</td><td>2</td><td></td></tr> * </table> * * @attr name android:type */ public static final int GradientColor_android_type=2; /** * <p> * @attr description * X coordinate of the center of the gradient within the path. * * <p>May be a floating point value, such as "<code>1.2</code>". * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name android:centerX */ public static final int GradientColor_android_centerX=3; /** * <p> * @attr description * Y coordinate of the center of the gradient within the path. * * <p>May be a floating point value, such as "<code>1.2</code>". * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name android:centerY */ public static final int GradientColor_android_centerY=4; /** * <p> * @attr description * Radius of the gradient, used only with radial gradient. * * <p>May be a floating point value, such as "<code>1.2</code>". * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>May be a fractional value, which is a floating point number appended with * either % or %p, such as "<code>14.5%</code>". * The % suffix always means a percentage of the base size; * the optional %p suffix provides a size relative to some parent container. * * @attr name android:gradientRadius */ public static final int GradientColor_android_gradientRadius=5; /** * <p> * @attr description * Defines the tile mode of the gradient. SweepGradient doesn't support tiling. * * <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>clamp</td><td>0</td><td></td></tr> * <tr><td>disabled</td><td>ffffffff</td><td></td></tr> * <tr><td>mirror</td><td>2</td><td></td></tr> * <tr><td>repeat</td><td>1</td><td></td></tr> * </table> * * @attr name android:tileMode */ public static final int GradientColor_android_tileMode=6; /** * <p> * @attr description * Optional center color. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:centerColor */ public static final int GradientColor_android_centerColor=7; /** * <p> * @attr description * X coordinate of the start point origin of the gradient. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:startX */ public static final int GradientColor_android_startX=8; /** * <p> * @attr description * Y coordinate of the start point of the gradient within the shape. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:startY */ public static final int GradientColor_android_startY=9; /** * <p> * @attr description * X coordinate of the end point origin of the gradient. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:endX */ public static final int GradientColor_android_endX=10; /** * <p> * @attr description * Y coordinate of the end point of the gradient within the shape. * Defined in same coordinates as the path itself * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:endY */ public static final int GradientColor_android_endY=11; /** * Attributes that can be used with a GradientColorItem. * <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 #GradientColorItem_android_color android:color}</code></td><td></td></tr> * <tr><td><code>{@link #GradientColorItem_android_offset android:offset}</code></td><td></td></tr> * </table> * @see #GradientColorItem_android_color * @see #GradientColorItem_android_offset */ public static final int[] GradientColorItem={ 0x010101a5, 0x01010514 }; /** * <p> * @attr description * The current color for the offset inside the gradient. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:color */ public static final int GradientColorItem_android_color=0; /** * <p> * @attr description * The offset (or ratio) of this current color item inside the gradient. * The value is only meaningful when it is between 0 and 1. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:offset */ public static final int GradientColorItem_android_offset=1; /** * Attributes that can be used with a LinearLayoutCompat. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_gravity android:gravity}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_orientation android:orientation}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_baselineAligned android:baselineAligned}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_baselineAlignedChildIndex android:baselineAlignedChildIndex}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_android_weightSum android:weightSum}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_divider com.saitama:divider}</code></td><td>Specifies the drawable used for item dividers.</td></tr> * <tr><td><code>{@link #LinearLayoutCompat_dividerPadding com.saitama:dividerPadding}</code></td><td>Size of padding on either end of a divider.</td></tr> * <tr><td><code>{@link #LinearLayoutCompat_measureWithLargestChild com.saitama:measureWithLargestChild}</code></td><td>When set to true, all children with a weight will be considered having * the minimum size of the largest child.</td></tr> * <tr><td><code>{@link #LinearLayoutCompat_showDividers com.saitama:showDividers}</code></td><td>Setting for which dividers to show.</td></tr> * </table> * @see #LinearLayoutCompat_android_gravity * @see #LinearLayoutCompat_android_orientation * @see #LinearLayoutCompat_android_baselineAligned * @see #LinearLayoutCompat_android_baselineAlignedChildIndex * @see #LinearLayoutCompat_android_weightSum * @see #LinearLayoutCompat_divider * @see #LinearLayoutCompat_dividerPadding * @see #LinearLayoutCompat_measureWithLargestChild * @see #LinearLayoutCompat_showDividers */ public static final int[] LinearLayoutCompat={ 0x010100af, 0x010100c4, 0x01010126, 0x01010127, 0x01010128, 0x7f020069, 0x7f02006b, 0x7f0200ac, 0x7f0200e4 }; /** * <p>This symbol is the offset where the {@link android.R.attr#gravity} * attribute's value can be found in the {@link #LinearLayoutCompat} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:gravity */ public static final int LinearLayoutCompat_android_gravity=0; /** * <p> * @attr description * Should the layout be a column or a row? Use "horizontal" * for a row, "vertical" for a column. The default is * horizontal. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>horizontal</td><td>0</td><td></td></tr> * <tr><td>vertical</td><td>1</td><td></td></tr> * </table> * * @attr name android:orientation */ public static final int LinearLayoutCompat_android_orientation=1; /** * <p> * @attr description * When set to false, prevents the layout from aligning its children's * baselines. This attribute is particularly useful when the children * use different values for gravity. The default value is true. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:baselineAligned */ public static final int LinearLayoutCompat_android_baselineAligned=2; /** * <p> * @attr description * When a linear layout is part of another layout that is baseline * aligned, it can specify which of its children to baseline align to * (that is, which child TextView). * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:baselineAlignedChildIndex */ public static final int LinearLayoutCompat_android_baselineAlignedChildIndex=3; /** * <p> * @attr description * Defines the maximum weight sum. If unspecified, the sum is computed * by adding the layout_weight of all of the children. This can be * used for instance to give a single child 50% of the total available * space by giving it a layout_weight of 0.5 and setting the weightSum * to 1.0. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:weightSum */ public static final int LinearLayoutCompat_android_weightSum=4; /** * <p> * @attr description * Drawable to use as a vertical divider between buttons. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:divider */ public static final int LinearLayoutCompat_divider=5; /** * <p> * @attr description * Size of padding on either end of a divider. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:dividerPadding */ public static final int LinearLayoutCompat_dividerPadding=6; /** * <p> * @attr description * When set to true, all children with a weight will be considered having * the minimum size of the largest child. If false, all children are * measured normally. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:measureWithLargestChild */ public static final int LinearLayoutCompat_measureWithLargestChild=7; /** * <p> * @attr description * Setting for which dividers to show. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>beginning</td><td>1</td><td></td></tr> * <tr><td>end</td><td>4</td><td></td></tr> * <tr><td>middle</td><td>2</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * </table> * * @attr name com.saitama:showDividers */ public static final int LinearLayoutCompat_showDividers=8; /** * Attributes that can be used with a LinearLayoutCompat_Layout. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_gravity android:layout_gravity}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_width android:layout_width}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_height android:layout_height}</code></td><td></td></tr> * <tr><td><code>{@link #LinearLayoutCompat_Layout_android_layout_weight android:layout_weight}</code></td><td></td></tr> * </table> * @see #LinearLayoutCompat_Layout_android_layout_gravity * @see #LinearLayoutCompat_Layout_android_layout_width * @see #LinearLayoutCompat_Layout_android_layout_height * @see #LinearLayoutCompat_Layout_android_layout_weight */ public static final int[] LinearLayoutCompat_Layout={ 0x010100b3, 0x010100f4, 0x010100f5, 0x01010181 }; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_gravity} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:layout_gravity */ public static final int LinearLayoutCompat_Layout_android_layout_gravity=0; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_width} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>match_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr> * </table> * * @attr name android:layout_width */ public static final int LinearLayoutCompat_Layout_android_layout_width=1; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_height} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>match_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr> * </table> * * @attr name android:layout_height */ public static final int LinearLayoutCompat_Layout_android_layout_height=2; /** * <p>This symbol is the offset where the {@link android.R.attr#layout_weight} * attribute's value can be found in the {@link #LinearLayoutCompat_Layout} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:layout_weight */ public static final int LinearLayoutCompat_Layout_android_layout_weight=3; /** * Attributes that can be used with a ListPopupWindow. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ListPopupWindow_android_dropDownHorizontalOffset android:dropDownHorizontalOffset}</code></td><td></td></tr> * <tr><td><code>{@link #ListPopupWindow_android_dropDownVerticalOffset android:dropDownVerticalOffset}</code></td><td></td></tr> * </table> * @see #ListPopupWindow_android_dropDownHorizontalOffset * @see #ListPopupWindow_android_dropDownVerticalOffset */ public static final int[] ListPopupWindow={ 0x010102ac, 0x010102ad }; /** * <p> * @attr description * Amount of pixels by which the drop down should be offset horizontally. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:dropDownHorizontalOffset */ public static final int ListPopupWindow_android_dropDownHorizontalOffset=0; /** * <p> * @attr description * Amount of pixels by which the drop down should be offset vertically. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:dropDownVerticalOffset */ public static final int ListPopupWindow_android_dropDownVerticalOffset=1; /** * Attributes that can be used with a MenuGroup. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #MenuGroup_android_enabled android:enabled}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_menuCategory android:menuCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_orderInCategory android:orderInCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuGroup_android_checkableBehavior android:checkableBehavior}</code></td><td></td></tr> * </table> * @see #MenuGroup_android_enabled * @see #MenuGroup_android_id * @see #MenuGroup_android_visible * @see #MenuGroup_android_menuCategory * @see #MenuGroup_android_orderInCategory * @see #MenuGroup_android_checkableBehavior */ public static final int[] MenuGroup={ 0x0101000e, 0x010100d0, 0x01010194, 0x010101de, 0x010101df, 0x010101e0 }; /** * <p> * @attr description * Whether the items are enabled. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:enabled */ public static final int MenuGroup_android_enabled=0; /** * <p> * @attr description * The ID of the group. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int MenuGroup_android_id=1; /** * <p> * @attr description * Whether the items are shown/visible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int MenuGroup_android_visible=2; /** * <p> * @attr description * The category applied to all items within this group. * (This will be or'ed with the orderInCategory attribute.) * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>alternative</td><td>40000</td><td></td></tr> * <tr><td>container</td><td>10000</td><td></td></tr> * <tr><td>secondary</td><td>30000</td><td></td></tr> * <tr><td>system</td><td>20000</td><td></td></tr> * </table> * * @attr name android:menuCategory */ public static final int MenuGroup_android_menuCategory=3; /** * <p> * @attr description * The order within the category applied to all items within this group. * (This will be or'ed with the category attribute.) * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:orderInCategory */ public static final int MenuGroup_android_orderInCategory=4; /** * <p> * @attr description * Whether the items are capable of displaying a check mark. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>all</td><td>1</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>single</td><td>2</td><td></td></tr> * </table> * * @attr name android:checkableBehavior */ public static final int MenuGroup_android_checkableBehavior=5; /** * Attributes that can be used with a MenuItem. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #MenuItem_android_icon android:icon}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_enabled android:enabled}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_checked android:checked}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_menuCategory android:menuCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_orderInCategory android:orderInCategory}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_title android:title}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_titleCondensed android:titleCondensed}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_alphabeticShortcut android:alphabeticShortcut}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_numericShortcut android:numericShortcut}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_checkable android:checkable}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_android_onClick android:onClick}</code></td><td></td></tr> * <tr><td><code>{@link #MenuItem_actionLayout com.saitama:actionLayout}</code></td><td>An optional layout to be used as an action view.</td></tr> * <tr><td><code>{@link #MenuItem_actionProviderClass com.saitama:actionProviderClass}</code></td><td>The name of an optional ActionProvider class to instantiate an action view * and perform operations such as default action for that menu item.</td></tr> * <tr><td><code>{@link #MenuItem_actionViewClass com.saitama:actionViewClass}</code></td><td>The name of an optional View class to instantiate and use as an * action view.</td></tr> * <tr><td><code>{@link #MenuItem_alphabeticModifiers com.saitama:alphabeticModifiers}</code></td><td>The alphabetic modifier key.</td></tr> * <tr><td><code>{@link #MenuItem_contentDescription com.saitama:contentDescription}</code></td><td>The content description associated with the item.</td></tr> * <tr><td><code>{@link #MenuItem_iconTint com.saitama:iconTint}</code></td><td>Tint to apply to the icon.</td></tr> * <tr><td><code>{@link #MenuItem_iconTintMode com.saitama:iconTintMode}</code></td><td>Blending mode used to apply the icon tint.</td></tr> * <tr><td><code>{@link #MenuItem_numericModifiers com.saitama:numericModifiers}</code></td><td>The numeric modifier key.</td></tr> * <tr><td><code>{@link #MenuItem_showAsAction com.saitama:showAsAction}</code></td><td>How this item should display in the Action Bar, if present.</td></tr> * <tr><td><code>{@link #MenuItem_tooltipText com.saitama:tooltipText}</code></td><td>The tooltip text associated with the item.</td></tr> * </table> * @see #MenuItem_android_icon * @see #MenuItem_android_enabled * @see #MenuItem_android_id * @see #MenuItem_android_checked * @see #MenuItem_android_visible * @see #MenuItem_android_menuCategory * @see #MenuItem_android_orderInCategory * @see #MenuItem_android_title * @see #MenuItem_android_titleCondensed * @see #MenuItem_android_alphabeticShortcut * @see #MenuItem_android_numericShortcut * @see #MenuItem_android_checkable * @see #MenuItem_android_onClick * @see #MenuItem_actionLayout * @see #MenuItem_actionProviderClass * @see #MenuItem_actionViewClass * @see #MenuItem_alphabeticModifiers * @see #MenuItem_contentDescription * @see #MenuItem_iconTint * @see #MenuItem_iconTintMode * @see #MenuItem_numericModifiers * @see #MenuItem_showAsAction * @see #MenuItem_tooltipText */ public static final int[] MenuItem={ 0x01010002, 0x0101000e, 0x010100d0, 0x01010106, 0x01010194, 0x010101de, 0x010101df, 0x010101e1, 0x010101e2, 0x010101e3, 0x010101e4, 0x010101e5, 0x0101026f, 0x7f02000d, 0x7f02001f, 0x7f020020, 0x7f02002b, 0x7f02005a, 0x7f02008c, 0x7f02008d, 0x7f0200b1, 0x7f0200e3, 0x7f02011d }; /** * <p> * @attr description * The icon associated with this item. This icon will not always be shown, so * the title should be sufficient in describing this item. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:icon */ public static final int MenuItem_android_icon=0; /** * <p> * @attr description * Whether the item is enabled. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:enabled */ public static final int MenuItem_android_enabled=1; /** * <p> * @attr description * The ID of the item. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int MenuItem_android_id=2; /** * <p> * @attr description * Whether the item is checked. Note that you must first have enabled checking with * the checkable attribute or else the check mark will not appear. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:checked */ public static final int MenuItem_android_checked=3; /** * <p> * @attr description * Whether the item is shown/visible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int MenuItem_android_visible=4; /** * <p> * @attr description * The category applied to the item. * (This will be or'ed with the orderInCategory attribute.) * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>alternative</td><td>40000</td><td></td></tr> * <tr><td>container</td><td>10000</td><td></td></tr> * <tr><td>secondary</td><td>30000</td><td></td></tr> * <tr><td>system</td><td>20000</td><td></td></tr> * </table> * * @attr name android:menuCategory */ public static final int MenuItem_android_menuCategory=5; /** * <p> * @attr description * The order within the category applied to the item. * (This will be or'ed with the category attribute.) * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:orderInCategory */ public static final int MenuItem_android_orderInCategory=6; /** * <p> * @attr description * The title associated with the item. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:title */ public static final int MenuItem_android_title=7; /** * <p> * @attr description * The condensed title associated with the item. This is used in situations where the * normal title may be too long to be displayed. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:titleCondensed */ public static final int MenuItem_android_titleCondensed=8; /** * <p> * @attr description * The alphabetic shortcut key. This is the shortcut when using a keyboard * with alphabetic keys. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:alphabeticShortcut */ public static final int MenuItem_android_alphabeticShortcut=9; /** * <p> * @attr description * The numeric shortcut key. This is the shortcut when using a numeric (e.g., 12-key) * keyboard. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:numericShortcut */ public static final int MenuItem_android_numericShortcut=10; /** * <p> * @attr description * Whether the item is capable of displaying a check mark. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:checkable */ public static final int MenuItem_android_checkable=11; /** * <p> * @attr description * Name of a method on the Context used to inflate the menu that will be * called when the item is clicked. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:onClick */ public static final int MenuItem_android_onClick=12; /** * <p> * @attr description * An optional layout to be used as an action view. * See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actionLayout */ public static final int MenuItem_actionLayout=13; /** * <p> * @attr description * The name of an optional ActionProvider class to instantiate an action view * and perform operations such as default action for that menu item. * See {@link android.view.MenuItem#setActionProvider(android.view.ActionProvider)} * for more info. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:actionProviderClass */ public static final int MenuItem_actionProviderClass=14; /** * <p> * @attr description * The name of an optional View class to instantiate and use as an * action view. See {@link android.view.MenuItem#setActionView(android.view.View)} * for more info. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:actionViewClass */ public static final int MenuItem_actionViewClass=15; /** * <p> * @attr description * The alphabetic modifier key. This is the modifier when using a keyboard * with alphabetic keys. The values should be kept in sync with KeyEvent * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> * * @attr name com.saitama:alphabeticModifiers */ public static final int MenuItem_alphabeticModifiers=16; /** * <p> * @attr description * The content description associated with the item. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:contentDescription */ public static final int MenuItem_contentDescription=17; /** * <p> * @attr description * Tint to apply to the icon. * * <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.saitama:iconTint */ public static final int MenuItem_iconTint=18; /** * <p> * @attr description * Blending mode used to apply the icon tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the icon with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the icon, but with the icon’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the icon. The icon’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the icon. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:iconTintMode */ public static final int MenuItem_iconTintMode=19; /** * <p> * @attr description * The numeric modifier key. This is the modifier when using a numeric (e.g., 12-key) * keyboard. The values should be kept in sync with KeyEvent * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>ALT</td><td>2</td><td></td></tr> * <tr><td>CTRL</td><td>1000</td><td></td></tr> * <tr><td>FUNCTION</td><td>8</td><td></td></tr> * <tr><td>META</td><td>10000</td><td></td></tr> * <tr><td>SHIFT</td><td>1</td><td></td></tr> * <tr><td>SYM</td><td>4</td><td></td></tr> * </table> * * @attr name com.saitama:numericModifiers */ public static final int MenuItem_numericModifiers=20; /** * <p> * @attr description * How this item should display in the Action Bar, if present. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>always</td><td>2</td><td>Always show this item in an actionbar, even if it would override * the system's limits of how much stuff to put there. This may make * your action bar look bad on some screens. In most cases you should * use "ifRoom" instead. Mutually exclusive with "ifRoom" and "never".</td></tr> * <tr><td>collapseActionView</td><td>8</td><td>This item's action view collapses to a normal menu * item. When expanded, the action view takes over a * larger segment of its container.</td></tr> * <tr><td>ifRoom</td><td>1</td><td>Show this item in an action bar if there is room for it as determined * by the system. Favor this option over "always" where possible. * Mutually exclusive with "never" and "always".</td></tr> * <tr><td>never</td><td>0</td><td>Never show this item in an action bar, show it in the overflow menu instead. * Mutually exclusive with "ifRoom" and "always".</td></tr> * <tr><td>withText</td><td>4</td><td>When this item is shown as an action in the action bar, show a text * label with it even if it has an icon representation.</td></tr> * </table> * * @attr name com.saitama:showAsAction */ public static final int MenuItem_showAsAction=21; /** * <p> * @attr description * The tooltip text associated with the item. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:tooltipText */ public static final int MenuItem_tooltipText=22; /** * Attributes that can be used with a MenuView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #MenuView_android_windowAnimationStyle android:windowAnimationStyle}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_itemTextAppearance android:itemTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_horizontalDivider android:horizontalDivider}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_verticalDivider android:verticalDivider}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_headerBackground android:headerBackground}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_itemBackground android:itemBackground}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_android_itemIconDisabledAlpha android:itemIconDisabledAlpha}</code></td><td></td></tr> * <tr><td><code>{@link #MenuView_preserveIconSpacing com.saitama:preserveIconSpacing}</code></td><td>Whether space should be reserved in layout when an icon is missing.</td></tr> * <tr><td><code>{@link #MenuView_subMenuArrow com.saitama:subMenuArrow}</code></td><td>Drawable for the arrow icon indicating a particular item is a submenu.</td></tr> * </table> * @see #MenuView_android_windowAnimationStyle * @see #MenuView_android_itemTextAppearance * @see #MenuView_android_horizontalDivider * @see #MenuView_android_verticalDivider * @see #MenuView_android_headerBackground * @see #MenuView_android_itemBackground * @see #MenuView_android_itemIconDisabledAlpha * @see #MenuView_preserveIconSpacing * @see #MenuView_subMenuArrow */ public static final int[] MenuView={ 0x010100ae, 0x0101012c, 0x0101012d, 0x0101012e, 0x0101012f, 0x01010130, 0x01010131, 0x7f0200c0, 0x7f0200ef }; /** * <p> * @attr description * Default animations for the menu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:windowAnimationStyle */ public static final int MenuView_android_windowAnimationStyle=0; /** * <p> * @attr description * Default appearance of menu item text. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:itemTextAppearance */ public static final int MenuView_android_itemTextAppearance=1; /** * <p> * @attr description * Default horizontal divider between rows of menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:horizontalDivider */ public static final int MenuView_android_horizontalDivider=2; /** * <p> * @attr description * Default vertical divider between menu items. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:verticalDivider */ public static final int MenuView_android_verticalDivider=3; /** * <p> * @attr description * Default background for the menu header. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:headerBackground */ public static final int MenuView_android_headerBackground=4; /** * <p> * @attr description * Default background for each menu item. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:itemBackground */ public static final int MenuView_android_itemBackground=5; /** * <p> * @attr description * Default disabled icon alpha for each menu item that shows an icon. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:itemIconDisabledAlpha */ public static final int MenuView_android_itemIconDisabledAlpha=6; /** * <p> * @attr description * Whether space should be reserved in layout when an icon is missing. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:preserveIconSpacing */ public static final int MenuView_preserveIconSpacing=7; /** * <p> * @attr description * Drawable for the arrow icon indicating a particular item is a submenu. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:subMenuArrow */ public static final 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_popupBackground android:popupBackground}</code></td><td></td></tr> * <tr><td><code>{@link #PopupWindow_android_popupAnimationStyle android:popupAnimationStyle}</code></td><td></td></tr> * <tr><td><code>{@link #PopupWindow_overlapAnchor com.saitama:overlapAnchor}</code></td><td>Whether the popup window should overlap its anchor view.</td></tr> * </table> * @see #PopupWindow_android_popupBackground * @see #PopupWindow_android_popupAnimationStyle * @see #PopupWindow_overlapAnchor */ public static final int[] PopupWindow={ 0x01010176, 0x010102c9, 0x7f0200b2 }; /** * <p>This symbol is the offset where the {@link android.R.attr#popupBackground} * attribute's value can be found in the {@link #PopupWindow} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:popupBackground */ public static final int PopupWindow_android_popupBackground=0; /** * <p>This symbol is the offset where the {@link android.R.attr#popupAnimationStyle} * attribute's value can be found in the {@link #PopupWindow} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:popupAnimationStyle */ public static final int PopupWindow_android_popupAnimationStyle=1; /** * <p> * @attr description * Whether the popup window should overlap its anchor view. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:overlapAnchor */ public static final int PopupWindow_overlapAnchor=2; /** * Attributes that can be used with a PopupWindowBackgroundState. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #PopupWindowBackgroundState_state_above_anchor com.saitama:state_above_anchor}</code></td><td>State identifier indicating the popup will be above the anchor.</td></tr> * </table> * @see #PopupWindowBackgroundState_state_above_anchor */ public static final int[] PopupWindowBackgroundState={ 0x7f0200ed }; /** * <p> * @attr description * State identifier indicating the popup will be above the anchor. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:state_above_anchor */ public static final int PopupWindowBackgroundState_state_above_anchor=0; /** * Attributes that can be used with a RecycleListView. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #RecycleListView_paddingBottomNoButtons com.saitama:paddingBottomNoButtons}</code></td><td>Bottom padding to use when no buttons are present.</td></tr> * <tr><td><code>{@link #RecycleListView_paddingTopNoTitle com.saitama:paddingTopNoTitle}</code></td><td>Top padding to use when no title is present.</td></tr> * </table> * @see #RecycleListView_paddingBottomNoButtons * @see #RecycleListView_paddingTopNoTitle */ public static final int[] RecycleListView={ 0x7f0200b4, 0x7f0200b7 }; /** * <p> * @attr description * Bottom padding to use when no buttons are present. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:paddingBottomNoButtons */ public static final int RecycleListView_paddingBottomNoButtons=0; /** * <p> * @attr description * Top padding to use when no title is present. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:paddingTopNoTitle */ public static final 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_maxWidth android:maxWidth}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_android_inputType android:inputType}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_android_imeOptions android:imeOptions}</code></td><td></td></tr> * <tr><td><code>{@link #SearchView_closeIcon com.saitama:closeIcon}</code></td><td>Close button icon</td></tr> * <tr><td><code>{@link #SearchView_commitIcon com.saitama:commitIcon}</code></td><td>Commit icon shown in the query suggestion row</td></tr> * <tr><td><code>{@link #SearchView_defaultQueryHint com.saitama:defaultQueryHint}</code></td><td>Default query hint used when {@code queryHint} is undefined and * the search view's {@code SearchableInfo} does not provide a hint.</td></tr> * <tr><td><code>{@link #SearchView_goIcon com.saitama:goIcon}</code></td><td>Go button icon</td></tr> * <tr><td><code>{@link #SearchView_iconifiedByDefault com.saitama:iconifiedByDefault}</code></td><td>The default state of the SearchView.</td></tr> * <tr><td><code>{@link #SearchView_layout com.saitama:layout}</code></td><td>The layout to use for the search view.</td></tr> * <tr><td><code>{@link #SearchView_queryBackground com.saitama:queryBackground}</code></td><td>Background for the section containing the search query</td></tr> * <tr><td><code>{@link #SearchView_queryHint com.saitama:queryHint}</code></td><td>An optional user-defined query hint string to be displayed in the empty query field.</td></tr> * <tr><td><code>{@link #SearchView_searchHintIcon com.saitama:searchHintIcon}</code></td><td>Search icon displayed as a text field hint</td></tr> * <tr><td><code>{@link #SearchView_searchIcon com.saitama:searchIcon}</code></td><td>Search icon</td></tr> * <tr><td><code>{@link #SearchView_submitBackground com.saitama:submitBackground}</code></td><td>Background for the section containing the action (e.g.</td></tr> * <tr><td><code>{@link #SearchView_suggestionRowLayout com.saitama:suggestionRowLayout}</code></td><td>Layout for query suggestion rows</td></tr> * <tr><td><code>{@link #SearchView_voiceIcon com.saitama:voiceIcon}</code></td><td>Voice button icon</td></tr> * </table> * @see #SearchView_android_focusable * @see #SearchView_android_maxWidth * @see #SearchView_android_inputType * @see #SearchView_android_imeOptions * @see #SearchView_closeIcon * @see #SearchView_commitIcon * @see #SearchView_defaultQueryHint * @see #SearchView_goIcon * @see #SearchView_iconifiedByDefault * @see #SearchView_layout * @see #SearchView_queryBackground * @see #SearchView_queryHint * @see #SearchView_searchHintIcon * @see #SearchView_searchIcon * @see #SearchView_submitBackground * @see #SearchView_suggestionRowLayout * @see #SearchView_voiceIcon */ public static final int[] SearchView={ 0x010100da, 0x0101011f, 0x01010220, 0x01010264, 0x7f02004a, 0x7f020059, 0x7f020064, 0x7f020086, 0x7f02008e, 0x7f020096, 0x7f0200c7, 0x7f0200c8, 0x7f0200dd, 0x7f0200de, 0x7f0200f0, 0x7f0200f5, 0x7f020124 }; /** * <p>This symbol is the offset where the {@link android.R.attr#focusable} * attribute's value can be found in the {@link #SearchView} array. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>10</td><td></td></tr> * </table> * * @attr name android:focusable */ public static final int SearchView_android_focusable=0; /** * <p> * @attr description * An optional maximum width of the SearchView. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:maxWidth */ public static final int SearchView_android_maxWidth=1; /** * <p> * @attr description * The input type to set on the query text field. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>date</td><td>14</td><td></td></tr> * <tr><td>datetime</td><td>4</td><td></td></tr> * <tr><td>none</td><td>0</td><td></td></tr> * <tr><td>number</td><td>2</td><td></td></tr> * <tr><td>numberDecimal</td><td>2002</td><td></td></tr> * <tr><td>numberPassword</td><td>12</td><td></td></tr> * <tr><td>numberSigned</td><td>1002</td><td></td></tr> * <tr><td>phone</td><td>3</td><td></td></tr> * <tr><td>text</td><td>1</td><td></td></tr> * <tr><td>textAutoComplete</td><td>10001</td><td></td></tr> * <tr><td>textAutoCorrect</td><td>8001</td><td></td></tr> * <tr><td>textCapCharacters</td><td>1001</td><td></td></tr> * <tr><td>textCapSentences</td><td>4001</td><td></td></tr> * <tr><td>textCapWords</td><td>2001</td><td></td></tr> * <tr><td>textEmailAddress</td><td>21</td><td></td></tr> * <tr><td>textEmailSubject</td><td>31</td><td></td></tr> * <tr><td>textFilter</td><td>b1</td><td></td></tr> * <tr><td>textImeMultiLine</td><td>40001</td><td></td></tr> * <tr><td>textLongMessage</td><td>51</td><td></td></tr> * <tr><td>textMultiLine</td><td>20001</td><td></td></tr> * <tr><td>textNoSuggestions</td><td>80001</td><td></td></tr> * <tr><td>textPassword</td><td>81</td><td></td></tr> * <tr><td>textPersonName</td><td>61</td><td></td></tr> * <tr><td>textPhonetic</td><td>c1</td><td></td></tr> * <tr><td>textPostalAddress</td><td>71</td><td></td></tr> * <tr><td>textShortMessage</td><td>41</td><td></td></tr> * <tr><td>textUri</td><td>11</td><td></td></tr> * <tr><td>textVisiblePassword</td><td>91</td><td></td></tr> * <tr><td>textWebEditText</td><td>a1</td><td></td></tr> * <tr><td>textWebEmailAddress</td><td>d1</td><td></td></tr> * <tr><td>textWebPassword</td><td>e1</td><td></td></tr> * <tr><td>time</td><td>24</td><td></td></tr> * </table> * * @attr name android:inputType */ public static final int SearchView_android_inputType=2; /** * <p> * @attr description * The IME options to set on the query text field. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>actionDone</td><td>6</td><td></td></tr> * <tr><td>actionGo</td><td>2</td><td></td></tr> * <tr><td>actionNext</td><td>5</td><td></td></tr> * <tr><td>actionNone</td><td>1</td><td></td></tr> * <tr><td>actionPrevious</td><td>7</td><td></td></tr> * <tr><td>actionSearch</td><td>3</td><td></td></tr> * <tr><td>actionSend</td><td>4</td><td></td></tr> * <tr><td>actionUnspecified</td><td>0</td><td></td></tr> * <tr><td>flagForceAscii</td><td>80000000</td><td></td></tr> * <tr><td>flagNavigateNext</td><td>8000000</td><td></td></tr> * <tr><td>flagNavigatePrevious</td><td>4000000</td><td></td></tr> * <tr><td>flagNoAccessoryAction</td><td>20000000</td><td></td></tr> * <tr><td>flagNoEnterAction</td><td>40000000</td><td></td></tr> * <tr><td>flagNoExtractUi</td><td>10000000</td><td></td></tr> * <tr><td>flagNoFullscreen</td><td>2000000</td><td></td></tr> * <tr><td>flagNoPersonalizedLearning</td><td>1000000</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name android:imeOptions */ public static final int SearchView_android_imeOptions=3; /** * <p> * @attr description * Close button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:closeIcon */ public static final int SearchView_closeIcon=4; /** * <p> * @attr description * Commit icon shown in the query suggestion row * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:commitIcon */ public static final int SearchView_commitIcon=5; /** * <p> * @attr description * Default query hint used when {@code queryHint} is undefined and * the search view's {@code SearchableInfo} does not provide a hint. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:defaultQueryHint */ public static final int SearchView_defaultQueryHint=6; /** * <p> * @attr description * Go button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:goIcon */ public static final int SearchView_goIcon=7; /** * <p> * @attr description * The default state of the SearchView. If true, it will be iconified when not in * use and expanded when clicked. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:iconifiedByDefault */ public static final int SearchView_iconifiedByDefault=8; /** * <p> * @attr description * The layout to use for the search view. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:layout */ public static final int SearchView_layout=9; /** * <p> * @attr description * Background for the section containing the search query * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:queryBackground */ public static final int SearchView_queryBackground=10; /** * <p> * @attr description * An optional user-defined query hint string to be displayed in the empty query field. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:queryHint */ public static final int SearchView_queryHint=11; /** * <p> * @attr description * Search icon displayed as a text field hint * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:searchHintIcon */ public static final int SearchView_searchHintIcon=12; /** * <p> * @attr description * Search icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:searchIcon */ public static final int SearchView_searchIcon=13; /** * <p> * @attr description * Background for the section containing the action (e.g. voice search) * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:submitBackground */ public static final int SearchView_submitBackground=14; /** * <p> * @attr description * Layout for query suggestion rows * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:suggestionRowLayout */ public static final int SearchView_suggestionRowLayout=15; /** * <p> * @attr description * Voice button icon * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:voiceIcon */ public static final int SearchView_voiceIcon=16; /** * Attributes that can be used with a SimpleDraweeView. * <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 #SimpleDraweeView_actualImageResource com.saitama:actualImageResource}</code></td><td>An image reference</td></tr> * <tr><td><code>{@link #SimpleDraweeView_actualImageScaleType com.saitama:actualImageScaleType}</code></td><td>Scale type of the actual image.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_actualImageUri com.saitama:actualImageUri}</code></td><td>An image uri .</td></tr> * <tr><td><code>{@link #SimpleDraweeView_backgroundImage com.saitama:backgroundImage}</code></td><td>A drawable or color to be used as a background.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_fadeDuration com.saitama:fadeDuration}</code></td><td>Fade duration in milliseconds.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_failureImage com.saitama:failureImage}</code></td><td>A drawable to be be used as a failure image.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_failureImageScaleType com.saitama:failureImageScaleType}</code></td><td>Scale type of the failure image.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_overlayImage com.saitama:overlayImage}</code></td><td>A drawable or color to be used as an overlay.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_placeholderImage com.saitama:placeholderImage}</code></td><td>A drawable or color to be be used as a placeholder.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_placeholderImageScaleType com.saitama:placeholderImageScaleType}</code></td><td>Scale type of the placeholder image.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_pressedStateOverlayImage com.saitama:pressedStateOverlayImage}</code></td><td>A drawable or color to be used as a pressed-state-overlay</td></tr> * <tr><td><code>{@link #SimpleDraweeView_progressBarAutoRotateInterval com.saitama:progressBarAutoRotateInterval}</code></td><td>Progress bar Auto Rotate interval in milliseconds</td></tr> * <tr><td><code>{@link #SimpleDraweeView_progressBarImage com.saitama:progressBarImage}</code></td><td>A drawable to be be used as a progress bar.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_progressBarImageScaleType com.saitama:progressBarImageScaleType}</code></td><td>Scale type of the progress bar.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_retryImage com.saitama:retryImage}</code></td><td>A drawable to be be used as a retry image.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_retryImageScaleType com.saitama:retryImageScaleType}</code></td><td>Scale type of the retry image.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundAsCircle com.saitama:roundAsCircle}</code></td><td>Round as circle.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomEnd com.saitama:roundBottomEnd}</code></td><td>Round the bottom-end edge.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomLeft com.saitama:roundBottomLeft}</code></td><td>Round the bottom-left corner.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomRight com.saitama:roundBottomRight}</code></td><td>Round the bottom-right corner.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundBottomStart com.saitama:roundBottomStart}</code></td><td>Round the bottom-start edge.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopEnd com.saitama:roundTopEnd}</code></td><td>Round the top-end edge.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopLeft com.saitama:roundTopLeft}</code></td><td>Round the top-left corner.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopRight com.saitama:roundTopRight}</code></td><td>Round the top-right corner.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundTopStart com.saitama:roundTopStart}</code></td><td>Round the top-start edge.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundWithOverlayColor com.saitama:roundWithOverlayColor}</code></td><td>Round by overlying color.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundedCornerRadius com.saitama:roundedCornerRadius}</code></td><td>Rounded corner radius.</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundingBorderColor com.saitama:roundingBorderColor}</code></td><td>Rounding border color</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundingBorderPadding com.saitama:roundingBorderPadding}</code></td><td>Rounding border padding</td></tr> * <tr><td><code>{@link #SimpleDraweeView_roundingBorderWidth com.saitama:roundingBorderWidth}</code></td><td>Rounding border width</td></tr> * <tr><td><code>{@link #SimpleDraweeView_viewAspectRatio com.saitama:viewAspectRatio}</code></td><td>Aspect ratio (width / height) of the view, not necessarily of the images.</td></tr> * </table> * @see #SimpleDraweeView_actualImageResource * @see #SimpleDraweeView_actualImageScaleType * @see #SimpleDraweeView_actualImageUri * @see #SimpleDraweeView_backgroundImage * @see #SimpleDraweeView_fadeDuration * @see #SimpleDraweeView_failureImage * @see #SimpleDraweeView_failureImageScaleType * @see #SimpleDraweeView_overlayImage * @see #SimpleDraweeView_placeholderImage * @see #SimpleDraweeView_placeholderImageScaleType * @see #SimpleDraweeView_pressedStateOverlayImage * @see #SimpleDraweeView_progressBarAutoRotateInterval * @see #SimpleDraweeView_progressBarImage * @see #SimpleDraweeView_progressBarImageScaleType * @see #SimpleDraweeView_retryImage * @see #SimpleDraweeView_retryImageScaleType * @see #SimpleDraweeView_roundAsCircle * @see #SimpleDraweeView_roundBottomEnd * @see #SimpleDraweeView_roundBottomLeft * @see #SimpleDraweeView_roundBottomRight * @see #SimpleDraweeView_roundBottomStart * @see #SimpleDraweeView_roundTopEnd * @see #SimpleDraweeView_roundTopLeft * @see #SimpleDraweeView_roundTopRight * @see #SimpleDraweeView_roundTopStart * @see #SimpleDraweeView_roundWithOverlayColor * @see #SimpleDraweeView_roundedCornerRadius * @see #SimpleDraweeView_roundingBorderColor * @see #SimpleDraweeView_roundingBorderPadding * @see #SimpleDraweeView_roundingBorderWidth * @see #SimpleDraweeView_viewAspectRatio */ public static final int[] SimpleDraweeView={ 0x7f020022, 0x7f020023, 0x7f020024, 0x7f020035, 0x7f020076, 0x7f020077, 0x7f020078, 0x7f0200b3, 0x7f0200bb, 0x7f0200bc, 0x7f0200c1, 0x7f0200c2, 0x7f0200c3, 0x7f0200c4, 0x7f0200cd, 0x7f0200ce, 0x7f0200cf, 0x7f0200d0, 0x7f0200d1, 0x7f0200d2, 0x7f0200d3, 0x7f0200d4, 0x7f0200d5, 0x7f0200d6, 0x7f0200d7, 0x7f0200d8, 0x7f0200d9, 0x7f0200da, 0x7f0200db, 0x7f0200dc, 0x7f020122 }; /** * <p> * @attr description * An image reference * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:actualImageResource */ public static final int SimpleDraweeView_actualImageResource=0; /** * <p> * @attr description * Scale type of the actual image. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:actualImageScaleType */ public static final int SimpleDraweeView_actualImageScaleType=1; /** * <p> * @attr description * An image uri . * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:actualImageUri */ public static final int SimpleDraweeView_actualImageUri=2; /** * <p> * @attr description * A drawable or color to be used as a background. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:backgroundImage */ public static final int SimpleDraweeView_backgroundImage=3; /** * <p> * @attr description * Fade duration in milliseconds. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:fadeDuration */ public static final int SimpleDraweeView_fadeDuration=4; /** * <p> * @attr description * A drawable to be be used as a failure image. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:failureImage */ public static final int SimpleDraweeView_failureImage=5; /** * <p> * @attr description * Scale type of the failure image. Ignored if failureImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:failureImageScaleType */ public static final int SimpleDraweeView_failureImageScaleType=6; /** * <p> * @attr description * A drawable or color to be used as an overlay. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:overlayImage */ public static final int SimpleDraweeView_overlayImage=7; /** * <p> * @attr description * A drawable or color to be be used as a placeholder. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:placeholderImage */ public static final int SimpleDraweeView_placeholderImage=8; /** * <p> * @attr description * Scale type of the placeholder image. Ignored if placeholderImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:placeholderImageScaleType */ public static final int SimpleDraweeView_placeholderImageScaleType=9; /** * <p> * @attr description * A drawable or color to be used as a pressed-state-overlay * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:pressedStateOverlayImage */ public static final int SimpleDraweeView_pressedStateOverlayImage=10; /** * <p> * @attr description * Progress bar Auto Rotate interval in milliseconds * * <p>May be an integer value, such as "<code>100</code>". * * @attr name com.saitama:progressBarAutoRotateInterval */ public static final int SimpleDraweeView_progressBarAutoRotateInterval=11; /** * <p> * @attr description * A drawable to be be used as a progress bar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:progressBarImage */ public static final int SimpleDraweeView_progressBarImage=12; /** * <p> * @attr description * Scale type of the progress bar. Ignored if progressBarImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:progressBarImageScaleType */ public static final int SimpleDraweeView_progressBarImageScaleType=13; /** * <p> * @attr description * A drawable to be be used as a retry image. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:retryImage */ public static final int SimpleDraweeView_retryImage=14; /** * <p> * @attr description * Scale type of the retry image. Ignored if retryImage is not specified. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>center</td><td>4</td><td></td></tr> * <tr><td>centerCrop</td><td>6</td><td></td></tr> * <tr><td>centerInside</td><td>5</td><td></td></tr> * <tr><td>fitBottomStart</td><td>8</td><td></td></tr> * <tr><td>fitCenter</td><td>2</td><td></td></tr> * <tr><td>fitEnd</td><td>3</td><td></td></tr> * <tr><td>fitStart</td><td>1</td><td></td></tr> * <tr><td>fitXY</td><td>0</td><td></td></tr> * <tr><td>focusCrop</td><td>7</td><td></td></tr> * <tr><td>none</td><td>ffffffff</td><td></td></tr> * </table> * * @attr name com.saitama:retryImageScaleType */ public static final int SimpleDraweeView_retryImageScaleType=15; /** * <p> * @attr description * Round as circle. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundAsCircle */ public static final int SimpleDraweeView_roundAsCircle=16; /** * <p> * @attr description * Round the bottom-end edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomEnd */ public static final int SimpleDraweeView_roundBottomEnd=17; /** * <p> * @attr description * Round the bottom-left corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomLeft */ public static final int SimpleDraweeView_roundBottomLeft=18; /** * <p> * @attr description * Round the bottom-right corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomRight */ public static final int SimpleDraweeView_roundBottomRight=19; /** * <p> * @attr description * Round the bottom-start edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundBottomStart */ public static final int SimpleDraweeView_roundBottomStart=20; /** * <p> * @attr description * Round the top-end edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopEnd */ public static final int SimpleDraweeView_roundTopEnd=21; /** * <p> * @attr description * Round the top-left corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopLeft */ public static final int SimpleDraweeView_roundTopLeft=22; /** * <p> * @attr description * Round the top-right corner. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopRight */ public static final int SimpleDraweeView_roundTopRight=23; /** * <p> * @attr description * Round the top-start edge. Ignored if roundAsCircle is used. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:roundTopStart */ public static final int SimpleDraweeView_roundTopStart=24; /** * <p> * @attr description * Round by overlying color. * * <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.saitama:roundWithOverlayColor */ public static final int SimpleDraweeView_roundWithOverlayColor=25; /** * <p> * @attr description * Rounded corner radius. Ignored if roundAsCircle is used. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:roundedCornerRadius */ public static final int SimpleDraweeView_roundedCornerRadius=26; /** * <p> * @attr description * Rounding border color * * <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.saitama:roundingBorderColor */ public static final int SimpleDraweeView_roundingBorderColor=27; /** * <p> * @attr description * Rounding border padding * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:roundingBorderPadding */ public static final int SimpleDraweeView_roundingBorderPadding=28; /** * <p> * @attr description * Rounding border width * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:roundingBorderWidth */ public static final int SimpleDraweeView_roundingBorderWidth=29; /** * <p> * @attr description * Aspect ratio (width / height) of the view, not necessarily of the images. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name com.saitama:viewAspectRatio */ public static final int SimpleDraweeView_viewAspectRatio=30; /** * Attributes that can be used with a Spinner. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #Spinner_android_entries android:entries}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_android_popupBackground android:popupBackground}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_android_prompt android:prompt}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_android_dropDownWidth android:dropDownWidth}</code></td><td></td></tr> * <tr><td><code>{@link #Spinner_popupTheme com.saitama:popupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * </table> * @see #Spinner_android_entries * @see #Spinner_android_popupBackground * @see #Spinner_android_prompt * @see #Spinner_android_dropDownWidth * @see #Spinner_popupTheme */ public static final int[] Spinner={ 0x010100b2, 0x01010176, 0x0101017b, 0x01010262, 0x7f0200be }; /** * <p> * @attr description * Reference to an array resource that will populate the Spinner. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:entries */ public static final int Spinner_android_entries=0; /** * <p> * @attr description * Background drawable to use for the dropdown in spinnerMode="dropdown". * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:popupBackground */ public static final int Spinner_android_popupBackground=1; /** * <p> * @attr description * The prompt to display when the spinner's dialog is shown. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:prompt */ public static final int Spinner_android_prompt=2; /** * <p> * @attr description * Width of the dropdown in spinnerMode="dropdown". * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>fill_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>match_parent</td><td>ffffffff</td><td></td></tr> * <tr><td>wrap_content</td><td>fffffffe</td><td></td></tr> * </table> * * @attr name android:dropDownWidth */ public static final int Spinner_android_dropDownWidth=3; /** * <p> * @attr description * Theme to use for the drop-down or dialog popup window. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:popupTheme */ public static final int Spinner_popupTheme=4; /** * Attributes that can be used with a StateListDrawable. * <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 #StateListDrawable_android_dither android:dither}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_visible android:visible}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_variablePadding android:variablePadding}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_constantSize android:constantSize}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_enterFadeDuration android:enterFadeDuration}</code></td><td></td></tr> * <tr><td><code>{@link #StateListDrawable_android_exitFadeDuration android:exitFadeDuration}</code></td><td></td></tr> * </table> * @see #StateListDrawable_android_dither * @see #StateListDrawable_android_visible * @see #StateListDrawable_android_variablePadding * @see #StateListDrawable_android_constantSize * @see #StateListDrawable_android_enterFadeDuration * @see #StateListDrawable_android_exitFadeDuration */ public static final int[] StateListDrawable={ 0x0101011c, 0x01010194, 0x01010195, 0x01010196, 0x0101030c, 0x0101030d }; /** * <p> * @attr description * Enables or disables dithering of the bitmap if the bitmap does not have the * same pixel configuration as the screen (for instance: a ARGB 8888 bitmap with * an RGB 565 screen). * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:dither */ public static final int StateListDrawable_android_dither=0; /** * <p> * @attr description * Indicates whether the drawable should be initially visible. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:visible */ public static final int StateListDrawable_android_visible=1; /** * <p> * @attr description * If true, allows the drawable's padding to change based on the * current state that is selected. If false, the padding will * stay the same (based on the maximum padding of all the states). * Enabling this feature requires that the owner of the drawable * deal with performing layout when the state changes, which is * often not supported. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:variablePadding */ public static final int StateListDrawable_android_variablePadding=2; /** * <p> * @attr description * If true, the drawable's reported internal size will remain * constant as the state changes; the size is the maximum of all * of the states. If false, the size will vary based on the * current state. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name android:constantSize */ public static final int StateListDrawable_android_constantSize=3; /** * <p> * @attr description * Amount of time (in milliseconds) to fade in a new state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:enterFadeDuration */ public static final int StateListDrawable_android_enterFadeDuration=4; /** * <p> * @attr description * Amount of time (in milliseconds) to fade out an old state drawable. * * <p>May be an integer value, such as "<code>100</code>". * * @attr name android:exitFadeDuration */ public static final int StateListDrawable_android_exitFadeDuration=5; /** * Attributes that can be used with a StateListDrawableItem. * <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 #StateListDrawableItem_android_drawable android:drawable}</code></td><td></td></tr> * </table> * @see #StateListDrawableItem_android_drawable */ public static final int[] StateListDrawableItem={ 0x01010199 }; /** * <p> * @attr description * Reference to a drawable resource to use for the state. If not * given, the drawable must be defined by the first child tag. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:drawable */ public static final int StateListDrawableItem_android_drawable=0; /** * Attributes that can be used with a SwitchCompat. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #SwitchCompat_android_textOn android:textOn}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_android_textOff android:textOff}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_android_thumb android:thumb}</code></td><td></td></tr> * <tr><td><code>{@link #SwitchCompat_showText com.saitama:showText}</code></td><td>Whether to draw on/off text.</td></tr> * <tr><td><code>{@link #SwitchCompat_splitTrack com.saitama:splitTrack}</code></td><td>Whether to split the track and leave a gap for the thumb drawable.</td></tr> * <tr><td><code>{@link #SwitchCompat_switchMinWidth com.saitama:switchMinWidth}</code></td><td>Minimum width for the switch component</td></tr> * <tr><td><code>{@link #SwitchCompat_switchPadding com.saitama:switchPadding}</code></td><td>Minimum space between the switch and caption text</td></tr> * <tr><td><code>{@link #SwitchCompat_switchTextAppearance com.saitama:switchTextAppearance}</code></td><td>TextAppearance style for text displayed on the switch thumb.</td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTextPadding com.saitama:thumbTextPadding}</code></td><td>Amount of padding on either side of text within the switch thumb.</td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTint com.saitama:thumbTint}</code></td><td>Tint to apply to the thumb drawable.</td></tr> * <tr><td><code>{@link #SwitchCompat_thumbTintMode com.saitama:thumbTintMode}</code></td><td>Blending mode used to apply the thumb tint.</td></tr> * <tr><td><code>{@link #SwitchCompat_track com.saitama:track}</code></td><td>Drawable to use as the "track" that the switch thumb slides within.</td></tr> * <tr><td><code>{@link #SwitchCompat_trackTint com.saitama:trackTint}</code></td><td>Tint to apply to the track.</td></tr> * <tr><td><code>{@link #SwitchCompat_trackTintMode com.saitama:trackTintMode}</code></td><td>Blending mode used to apply the track tint.</td></tr> * </table> * @see #SwitchCompat_android_textOn * @see #SwitchCompat_android_textOff * @see #SwitchCompat_android_thumb * @see #SwitchCompat_showText * @see #SwitchCompat_splitTrack * @see #SwitchCompat_switchMinWidth * @see #SwitchCompat_switchPadding * @see #SwitchCompat_switchTextAppearance * @see #SwitchCompat_thumbTextPadding * @see #SwitchCompat_thumbTint * @see #SwitchCompat_thumbTintMode * @see #SwitchCompat_track * @see #SwitchCompat_trackTint * @see #SwitchCompat_trackTintMode */ public static final int[] SwitchCompat={ 0x01010124, 0x01010125, 0x01010142, 0x7f0200e5, 0x7f0200eb, 0x7f0200f6, 0x7f0200f7, 0x7f0200f9, 0x7f020107, 0x7f020108, 0x7f020109, 0x7f02011e, 0x7f02011f, 0x7f020120 }; /** * <p> * @attr description * Text to use when the switch is in the checked/"on" state. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:textOn */ public static final int SwitchCompat_android_textOn=0; /** * <p> * @attr description * Text to use when the switch is in the unchecked/"off" state. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:textOff */ public static final int SwitchCompat_android_textOff=1; /** * <p> * @attr description * Drawable to use as the "thumb" that switches back and forth. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:thumb */ public static final int SwitchCompat_android_thumb=2; /** * <p> * @attr description * Whether to draw on/off text. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:showText */ public static final int SwitchCompat_showText=3; /** * <p> * @attr description * Whether to split the track and leave a gap for the thumb drawable. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:splitTrack */ public static final int SwitchCompat_splitTrack=4; /** * <p> * @attr description * Minimum width for the switch component * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:switchMinWidth */ public static final int SwitchCompat_switchMinWidth=5; /** * <p> * @attr description * Minimum space between the switch and caption text * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:switchPadding */ public static final int SwitchCompat_switchPadding=6; /** * <p> * @attr description * TextAppearance style for text displayed on the switch thumb. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:switchTextAppearance */ public static final int SwitchCompat_switchTextAppearance=7; /** * <p> * @attr description * Amount of padding on either side of text within the switch thumb. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:thumbTextPadding */ public static final int SwitchCompat_thumbTextPadding=8; /** * <p> * @attr description * Tint to apply to the thumb drawable. * * <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.saitama:thumbTint */ public static final int SwitchCompat_thumbTint=9; /** * <p> * @attr description * Blending mode used to apply the thumb tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:thumbTintMode */ public static final int SwitchCompat_thumbTintMode=10; /** * <p> * @attr description * Drawable to use as the "track" that the switch thumb slides within. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:track */ public static final int SwitchCompat_track=11; /** * <p> * @attr description * Tint to apply to the track. * * <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.saitama:trackTint */ public static final int SwitchCompat_trackTint=12; /** * <p> * @attr description * Blending mode used to apply the track tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and drawable color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:trackTintMode */ public static final int SwitchCompat_trackTintMode=13; /** * Attributes that can be used with a TextAppearance. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #TextAppearance_android_textSize android:textSize}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_typeface android:typeface}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textStyle android:textStyle}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textColor android:textColor}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textColorHint android:textColorHint}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_textColorLink android:textColorLink}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowColor android:shadowColor}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowDx android:shadowDx}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowDy android:shadowDy}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_shadowRadius android:shadowRadius}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_android_fontFamily android:fontFamily}</code></td><td></td></tr> * <tr><td><code>{@link #TextAppearance_fontFamily com.saitama:fontFamily}</code></td><td>The attribute for the font family.</td></tr> * <tr><td><code>{@link #TextAppearance_textAllCaps com.saitama:textAllCaps}</code></td><td>Present the text in ALL CAPS.</td></tr> * </table> * @see #TextAppearance_android_textSize * @see #TextAppearance_android_typeface * @see #TextAppearance_android_textStyle * @see #TextAppearance_android_textColor * @see #TextAppearance_android_textColorHint * @see #TextAppearance_android_textColorLink * @see #TextAppearance_android_shadowColor * @see #TextAppearance_android_shadowDx * @see #TextAppearance_android_shadowDy * @see #TextAppearance_android_shadowRadius * @see #TextAppearance_android_fontFamily * @see #TextAppearance_fontFamily * @see #TextAppearance_textAllCaps */ public static final int[] TextAppearance={ 0x01010095, 0x01010096, 0x01010097, 0x01010098, 0x0101009a, 0x0101009b, 0x01010161, 0x01010162, 0x01010163, 0x01010164, 0x010103ac, 0x7f02007b, 0x7f0200fa }; /** * <p>This symbol is the offset where the {@link android.R.attr#textSize} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:textSize */ public static final int TextAppearance_android_textSize=0; /** * <p>This symbol is the offset where the {@link android.R.attr#typeface} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>monospace</td><td>3</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * <tr><td>sans</td><td>1</td><td></td></tr> * <tr><td>serif</td><td>2</td><td></td></tr> * </table> * * @attr name android:typeface */ public static final int TextAppearance_android_typeface=1; /** * <p>This symbol is the offset where the {@link android.R.attr#textStyle} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bold</td><td>1</td><td></td></tr> * <tr><td>italic</td><td>2</td><td></td></tr> * <tr><td>normal</td><td>0</td><td></td></tr> * </table> * * @attr name android:textStyle */ public static final int TextAppearance_android_textStyle=2; /** * <p>This symbol is the offset where the {@link android.R.attr#textColor} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColor */ public static final int TextAppearance_android_textColor=3; /** * <p>This symbol is the offset where the {@link android.R.attr#textColorHint} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColorHint */ public static final int TextAppearance_android_textColorHint=4; /** * <p>This symbol is the offset where the {@link android.R.attr#textColorLink} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:textColorLink */ public static final int TextAppearance_android_textColorLink=5; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowColor} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:shadowColor */ public static final int TextAppearance_android_shadowColor=6; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowDx} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:shadowDx */ public static final int TextAppearance_android_shadowDx=7; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowDy} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:shadowDy */ public static final int TextAppearance_android_shadowDy=8; /** * <p>This symbol is the offset where the {@link android.R.attr#shadowRadius} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a floating point value, such as "<code>1.2</code>". * * @attr name android:shadowRadius */ public static final int TextAppearance_android_shadowRadius=9; /** * <p>This symbol is the offset where the {@link android.R.attr#fontFamily} * attribute's value can be found in the {@link #TextAppearance} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name android:fontFamily */ public static final int TextAppearance_android_fontFamily=10; /** * <p> * @attr description * The attribute for the font family. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:fontFamily */ public static final int TextAppearance_fontFamily=11; /** * <p> * @attr description * Present the text in ALL CAPS. This may use a small-caps form when available. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * * @attr name com.saitama:textAllCaps */ public static final int TextAppearance_textAllCaps=12; /** * 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.saitama:buttonGravity}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_collapseContentDescription com.saitama:collapseContentDescription}</code></td><td>Text to set as the content description for the collapse button.</td></tr> * <tr><td><code>{@link #Toolbar_collapseIcon com.saitama:collapseIcon}</code></td><td>Icon drawable to use for the collapse button.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetEnd com.saitama:contentInsetEnd}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetEndWithActions com.saitama:contentInsetEndWithActions}</code></td><td>Minimum inset for content views within a bar when actions from a menu * are present.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetLeft com.saitama:contentInsetLeft}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetRight com.saitama:contentInsetRight}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetStart com.saitama:contentInsetStart}</code></td><td>Minimum inset for content views within a bar.</td></tr> * <tr><td><code>{@link #Toolbar_contentInsetStartWithNavigation com.saitama:contentInsetStartWithNavigation}</code></td><td>Minimum inset for content views within a bar when a navigation button * is present, such as the Up button.</td></tr> * <tr><td><code>{@link #Toolbar_logo com.saitama:logo}</code></td><td>Specifies the drawable used for the application logo.</td></tr> * <tr><td><code>{@link #Toolbar_logoDescription com.saitama:logoDescription}</code></td><td>A content description string to describe the appearance of the * associated logo image.</td></tr> * <tr><td><code>{@link #Toolbar_maxButtonHeight com.saitama:maxButtonHeight}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_navigationContentDescription com.saitama:navigationContentDescription}</code></td><td>Text to set as the content description for the navigation button * located at the start of the toolbar.</td></tr> * <tr><td><code>{@link #Toolbar_navigationIcon com.saitama:navigationIcon}</code></td><td>Icon drawable to use for the navigation button located at * the start of the toolbar.</td></tr> * <tr><td><code>{@link #Toolbar_popupTheme com.saitama:popupTheme}</code></td><td>Reference to a theme that should be used to inflate popups * shown by widgets in the action bar.</td></tr> * <tr><td><code>{@link #Toolbar_subtitle com.saitama:subtitle}</code></td><td>Specifies subtitle text used for navigationMode="normal"</td></tr> * <tr><td><code>{@link #Toolbar_subtitleTextAppearance com.saitama:subtitleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_subtitleTextColor com.saitama:subtitleTextColor}</code></td><td>A color to apply to the subtitle string.</td></tr> * <tr><td><code>{@link #Toolbar_title com.saitama:title}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleMargin com.saitama:titleMargin}</code></td><td>Specifies extra space on the left, start, right and end sides * of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginBottom com.saitama:titleMarginBottom}</code></td><td>Specifies extra space on the bottom side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginEnd com.saitama:titleMarginEnd}</code></td><td>Specifies extra space on the end side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginStart com.saitama:titleMarginStart}</code></td><td>Specifies extra space on the start side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMarginTop com.saitama:titleMarginTop}</code></td><td>Specifies extra space on the top side of the toolbar's title.</td></tr> * <tr><td><code>{@link #Toolbar_titleMargins com.saitama:titleMargins}</code></td><td>{@deprecated Use titleMargin}</td></tr> * <tr><td><code>{@link #Toolbar_titleTextAppearance com.saitama:titleTextAppearance}</code></td><td></td></tr> * <tr><td><code>{@link #Toolbar_titleTextColor com.saitama:titleTextColor}</code></td><td>A color to apply to the title string.</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 */ @Deprecated public static final int[] Toolbar={ 0x010100af, 0x01010140, 0x7f020041, 0x7f02004c, 0x7f02004d, 0x7f02005b, 0x7f02005c, 0x7f02005d, 0x7f02005e, 0x7f02005f, 0x7f020060, 0x7f0200a9, 0x7f0200aa, 0x7f0200ab, 0x7f0200ae, 0x7f0200af, 0x7f0200be, 0x7f0200f1, 0x7f0200f2, 0x7f0200f3, 0x7f02010f, 0x7f020110, 0x7f020111, 0x7f020112, 0x7f020113, 0x7f020114, 0x7f020115, 0x7f020116, 0x7f020117 }; /** * <p>This symbol is the offset where the {@link android.R.attr#gravity} * attribute's value can be found in the {@link #Toolbar} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td></td></tr> * <tr><td>center</td><td>11</td><td></td></tr> * <tr><td>center_horizontal</td><td>1</td><td></td></tr> * <tr><td>center_vertical</td><td>10</td><td></td></tr> * <tr><td>clip_horizontal</td><td>8</td><td></td></tr> * <tr><td>clip_vertical</td><td>80</td><td></td></tr> * <tr><td>end</td><td>800005</td><td></td></tr> * <tr><td>fill</td><td>77</td><td></td></tr> * <tr><td>fill_horizontal</td><td>7</td><td></td></tr> * <tr><td>fill_vertical</td><td>70</td><td></td></tr> * <tr><td>left</td><td>3</td><td></td></tr> * <tr><td>right</td><td>5</td><td></td></tr> * <tr><td>start</td><td>800003</td><td></td></tr> * <tr><td>top</td><td>30</td><td></td></tr> * </table> * * @attr name android:gravity */ public static final int Toolbar_android_gravity=0; /** * <p>This symbol is the offset where the {@link android.R.attr#minHeight} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name android:minHeight */ public static final int Toolbar_android_minHeight=1; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#buttonGravity} * attribute's value can be found in the {@link #Toolbar} array. * * <p>Must be one or more (separated by '|') of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>bottom</td><td>50</td><td>Push object to the bottom of its container, not changing its size.</td></tr> * <tr><td>top</td><td>30</td><td>Push object to the top of its container, not changing its size.</td></tr> * </table> * * @attr name com.saitama:buttonGravity */ public static final int Toolbar_buttonGravity=2; /** * <p> * @attr description * Text to set as the content description for the collapse button. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:collapseContentDescription */ public static final int Toolbar_collapseContentDescription=3; /** * <p> * @attr description * Icon drawable to use for the collapse button. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:collapseIcon */ public static final int Toolbar_collapseIcon=4; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetEnd */ public static final int Toolbar_contentInsetEnd=5; /** * <p> * @attr description * Minimum inset for content views within a bar when actions from a menu * are present. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetEndWithActions */ public static final int Toolbar_contentInsetEndWithActions=6; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetLeft */ public static final int Toolbar_contentInsetLeft=7; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetRight */ public static final int Toolbar_contentInsetRight=8; /** * <p> * @attr description * Minimum inset for content views within a bar. Navigation buttons and * menu views are excepted. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetStart */ public static final int Toolbar_contentInsetStart=9; /** * <p> * @attr description * Minimum inset for content views within a bar when a navigation button * is present, such as the Up button. Only valid for some themes and configurations. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:contentInsetStartWithNavigation */ public static final int Toolbar_contentInsetStartWithNavigation=10; /** * <p> * @attr description * Drawable to set as the logo that appears at the starting side of * the Toolbar, just after the navigation button. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:logo */ public static final int Toolbar_logo=11; /** * <p> * @attr description * A content description string to describe the appearance of the * associated logo image. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:logoDescription */ public static final int Toolbar_logoDescription=12; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#maxButtonHeight} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:maxButtonHeight */ public static final int Toolbar_maxButtonHeight=13; /** * <p> * @attr description * Text to set as the content description for the navigation button * located at the start of the toolbar. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:navigationContentDescription */ public static final int Toolbar_navigationContentDescription=14; /** * <p> * @attr description * Icon drawable to use for the navigation button located at * the start of the toolbar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:navigationIcon */ public static final int Toolbar_navigationIcon=15; /** * <p> * @attr description * Reference to a theme that should be used to inflate popups * shown by widgets in the toolbar. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:popupTheme */ public static final int Toolbar_popupTheme=16; /** * <p> * @attr description * Specifies subtitle text used for navigationMode="normal" * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:subtitle */ public static final int Toolbar_subtitle=17; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#subtitleTextAppearance} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:subtitleTextAppearance */ public static final int Toolbar_subtitleTextAppearance=18; /** * <p> * @attr description * A color to apply to the subtitle string. * * <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.saitama:subtitleTextColor */ public static final int Toolbar_subtitleTextColor=19; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#title} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a string value, using '\\;' to escape characters such as * '\\n' or '\\uxxxx' for a unicode character; * * @attr name com.saitama:title */ public static final int Toolbar_title=20; /** * <p> * @attr description * Specifies extra space on the left, start, right and end sides * of the toolbar's title. Margin values should be positive. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:titleMargin */ public static final int Toolbar_titleMargin=21; /** * <p> * @attr description * Specifies extra space on the bottom side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:titleMarginBottom */ public static final int Toolbar_titleMarginBottom=22; /** * <p> * @attr description * Specifies extra space on the end side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:titleMarginEnd */ public static final int Toolbar_titleMarginEnd=23; /** * <p> * @attr description * Specifies extra space on the start side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:titleMarginStart */ public static final int Toolbar_titleMarginStart=24; /** * <p> * @attr description * Specifies extra space on the top side of the toolbar's title. * If both this attribute and titleMargin are specified, then this * attribute takes precedence. Margin values should be positive. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:titleMarginTop */ public static final int Toolbar_titleMarginTop=25; /** * <p> * @attr description * {@deprecated Use titleMargin} * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:titleMargins */ @Deprecated public static final int Toolbar_titleMargins=26; /** * <p>This symbol is the offset where the {@link com.saitama.R.attr#titleTextAppearance} * attribute's value can be found in the {@link #Toolbar} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:titleTextAppearance */ public static final int Toolbar_titleTextAppearance=27; /** * <p> * @attr description * A color to apply to the title string. * * <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.saitama:titleTextColor */ public static final int Toolbar_titleTextColor=28; /** * Attributes that can be used with a View. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #View_android_theme android:theme}</code></td><td></td></tr> * <tr><td><code>{@link #View_android_focusable android:focusable}</code></td><td></td></tr> * <tr><td><code>{@link #View_paddingEnd com.saitama:paddingEnd}</code></td><td>Sets the padding, in pixels, of the end edge; see {@link android.R.attr#padding}.</td></tr> * <tr><td><code>{@link #View_paddingStart com.saitama:paddingStart}</code></td><td>Sets the padding, in pixels, of the start edge; see {@link android.R.attr#padding}.</td></tr> * <tr><td><code>{@link #View_theme com.saitama:theme}</code></td><td>Deprecated.</td></tr> * </table> * @see #View_android_theme * @see #View_android_focusable * @see #View_paddingEnd * @see #View_paddingStart * @see #View_theme */ public static final int[] View={ 0x01010000, 0x010100da, 0x7f0200b5, 0x7f0200b6, 0x7f020105 }; /** * <p> * @attr description * Specifies a theme override for a view. When a theme override is set, the * view will be inflated using a {@link android.content.Context} themed with * the specified resource. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:theme */ public static final int View_android_theme=0; /** * <p> * @attr description * Boolean that controls whether a view can take focus. By default the user can not * move focus to a view; by setting this attribute to true the view is * allowed to take focus. This value does not impact the behavior of * directly calling {@link android.view.View#requestFocus}, which will * always request focus regardless of this view. It only impacts where * focus navigation will try to move focus. * * <p>May be a boolean value, such as "<code>true</code>" or * "<code>false</code>". * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>auto</td><td>10</td><td></td></tr> * </table> * * @attr name android:focusable */ public static final int View_android_focusable=1; /** * <p> * @attr description * Sets the padding, in pixels, of the end edge; see {@link android.R.attr#padding}. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:paddingEnd */ public static final int View_paddingEnd=2; /** * <p> * @attr description * Sets the padding, in pixels, of the start edge; see {@link android.R.attr#padding}. * * <p>May be a dimension value, which is a floating point number appended with a * unit such as "<code>14.5sp</code>". * Available units are: px (pixels), dp (density-independent pixels), * sp (scaled pixels based on preferred font size), in (inches), and * mm (millimeters). * * @attr name com.saitama:paddingStart */ public static final int View_paddingStart=3; /** * <p> * @attr description * Deprecated. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name com.saitama:theme */ public static final int View_theme=4; /** * Attributes that can be used with a ViewBackgroundHelper. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ViewBackgroundHelper_android_background android:background}</code></td><td></td></tr> * <tr><td><code>{@link #ViewBackgroundHelper_backgroundTint com.saitama:backgroundTint}</code></td><td>Tint to apply to the background.</td></tr> * <tr><td><code>{@link #ViewBackgroundHelper_backgroundTintMode com.saitama:backgroundTintMode}</code></td><td>Blending mode used to apply the background tint.</td></tr> * </table> * @see #ViewBackgroundHelper_android_background * @see #ViewBackgroundHelper_backgroundTint * @see #ViewBackgroundHelper_backgroundTintMode */ public static final int[] ViewBackgroundHelper={ 0x010100d4, 0x7f020038, 0x7f020039 }; /** * <p>This symbol is the offset where the {@link android.R.attr#background} * attribute's value can be found in the {@link #ViewBackgroundHelper} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * <p>May be a color value, in the form of "<code>#<i>rgb</i></code>", * "<code>#<i>argb</i></code>", "<code>#<i>rrggbb</i></code>", or * "<code>#<i>aarrggbb</i></code>". * * @attr name android:background */ public static final int ViewBackgroundHelper_android_background=0; /** * <p> * @attr description * Tint to apply to the background. * * <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.saitama:backgroundTint */ public static final int ViewBackgroundHelper_backgroundTint=1; /** * <p> * @attr description * Blending mode used to apply the background tint. * * <p>Must be one of the following constant values.</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Constant</th><th>Value</th><th>Description</th></tr> * <tr><td>add</td><td>10</td><td>Combines the tint and icon color and alpha channels, clamping the * result to valid color values. Saturate(S + D)</td></tr> * <tr><td>multiply</td><td>e</td><td>Multiplies the color and alpha channels of the drawable with those of * the tint. [Sa * Da, Sc * Dc]</td></tr> * <tr><td>screen</td><td>f</td><td>[Sa + Da - Sa * Da, Sc + Dc - Sc * Dc]</td></tr> * <tr><td>src_atop</td><td>9</td><td>The tint is drawn above the drawable, but with the drawable’s alpha * channel masking the result. [Da, Sc * Da + (1 - Sa) * Dc]</td></tr> * <tr><td>src_in</td><td>5</td><td>The tint is masked by the alpha channel of the drawable. The drawable’s * color channels are thrown out. [Sa * Da, Sc * Da]</td></tr> * <tr><td>src_over</td><td>3</td><td>The tint is drawn on top of the drawable. * [Sa + (1 - Sa)*Da, Rc = Sc + (1 - Sa)*Dc]</td></tr> * </table> * * @attr name com.saitama:backgroundTintMode */ public static final int ViewBackgroundHelper_backgroundTintMode=2; /** * Attributes that can be used with a ViewStubCompat. * <p>Includes the following attributes:</p> * <table> * <colgroup align="left" /> * <colgroup align="left" /> * <tr><th>Attribute</th><th>Description</th></tr> * <tr><td><code>{@link #ViewStubCompat_android_id android:id}</code></td><td></td></tr> * <tr><td><code>{@link #ViewStubCompat_android_layout android:layout}</code></td><td></td></tr> * <tr><td><code>{@link #ViewStubCompat_android_inflatedId android:inflatedId}</code></td><td></td></tr> * </table> * @see #ViewStubCompat_android_id * @see #ViewStubCompat_android_layout * @see #ViewStubCompat_android_inflatedId */ public static final int[] ViewStubCompat={ 0x010100d0, 0x010100f2, 0x010100f3 }; /** * <p>This symbol is the offset where the {@link android.R.attr#id} * attribute's value can be found in the {@link #ViewStubCompat} array. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:id */ public static final int ViewStubCompat_android_id=0; /** * <p> * @attr description * Supply an identifier for the layout resource to inflate when the ViewStub * becomes visible or when forced to do so. The layout resource must be a * valid reference to a layout. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:layout */ public static final int ViewStubCompat_android_layout=1; /** * <p> * @attr description * Overrides the id of the inflated View with this value. * * <p>May be a reference to another resource, in the form * "<code>@[+][<i>package</i>:]<i>type</i>/<i>name</i></code>" or a theme * attribute in the form * "<code>?[<i>package</i>:]<i>type</i>/<i>name</i></code>". * * @attr name android:inflatedId */ public static final int ViewStubCompat_android_inflatedId=2; } public static final class xml { public static final int rn_dev_preferences=0x7f0e0000; } }
39cdd147eef4ea0e2a815ae488fe3302b1594f56
b58f0884016485dadd2dea26cf31b6eaa78248fe
/ex3/Motorista.java
df780ba4b89726e1f7f5c2cc8ad326403b6d2929
[]
no_license
rafa-perroni00/javaprogs
bda05fb38a5b68ffdded8916cfa64c285352db06
7681554ee951d3144917a382a7591e1cc25e3370
refs/heads/master
2020-07-04T20:37:58.465653
2019-10-31T14:28:49
2019-10-31T14:28:49
202,409,418
0
0
null
null
null
null
UTF-8
Java
false
false
1,107
java
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package ex3; /** * * @author 18009340 */ public class Motorista { public int cnh; public int quantidade_de_multas; public String nome; public Automovel carro; public int getCnh() { return cnh; } public int getQuantidade_de_multas() { return quantidade_de_multas; } public String getNome() { return nome; } public Automovel getCarro() { return carro; } public void setCnh(int cnh) { this.cnh = cnh; } public void setQuantidade_de_multas(int quantidade_de_multas) { this.quantidade_de_multas = quantidade_de_multas; } public void setNome(String Nome) { this.nome = Nome; } public void setCarro(Automovel Carro) { this.carro = Carro; } public void comprar_carro(){ this.carro = new Uno_Mille(); } }
af515c7ff56082868bc2934fbb6e2ee4dd9661e9
ff13d5e491560565176a0406db4b571e22497ef1
/loja/src/main/java/br/com/alura/loja/resource/CarrinhoResource.java
84fee9f6ddab03565fdaaaff5cc8aab52ba559c6
[]
no_license
lheme/lojaRest
3e9425e67bde9301323e7db0545761949baf775e
fa3d562b43c34b656eb278ee5c88f3a9090e2d81
refs/heads/master
2022-12-01T13:06:01.302941
2020-08-24T23:01:21
2020-08-24T23:01:21
290,056,574
0
0
null
null
null
null
UTF-8
Java
false
false
1,651
java
package br.com.alura.loja.resource; import java.net.URI; import javax.ws.rs.Consumes; import javax.ws.rs.DELETE; import javax.ws.rs.GET; import javax.ws.rs.POST; import javax.ws.rs.PUT; import javax.ws.rs.Path; import javax.ws.rs.PathParam; import javax.ws.rs.Produces; import javax.ws.rs.core.MediaType; import javax.ws.rs.core.Response; import com.thoughtworks.xstream.XStream; import br.com.alura.loja.dao.CarrinhoDAO; import br.com.alura.loja.modelo.Carrinho; import br.com.alura.loja.modelo.Produto; @Path("carrinhos") public class CarrinhoResource { @Path("{id}") @GET @Produces(MediaType.APPLICATION_XML) public Carrinho busca(@PathParam("id") long id) { Carrinho carrinho = new CarrinhoDAO().busca(id); return carrinho; } @POST @Consumes(MediaType.APPLICATION_XML) public Response adiciona(Carrinho carrinho) { new CarrinhoDAO().adiciona(carrinho); URI uri = URI.create("/carrinhos/" + carrinho.getId()); return Response.created(uri).build(); } @Path("{id}/produtos/{produtoId}") @DELETE public Response removeProduto(@PathParam("id") long id, @PathParam("produtoId") long produtoId) { Carrinho carrinho = new CarrinhoDAO().busca(id); carrinho.remove(produtoId); return Response.ok().build(); } @Path("{id}/produtos/{produtoId}/quantidade") @PUT public Response alteraProduto(@PathParam("id") long id, @PathParam("produtoId") long produtoId, Produto produto) { Carrinho carrinho = new CarrinhoDAO().busca(id); carrinho.trocaQuantidade(produto); return Response.ok().build(); } }
a8bcacf1c05d4629806c67acbe2d94357e54edb5
d60e287543a95a20350c2caeabafbec517cabe75
/LACCPlus/Cloudstack/2408_2.java
91cb248103c73d0945a94976cd16f6fc64037c2e
[ "MIT" ]
permissive
sgholamian/log-aware-clone-detection
242067df2db6fd056f8d917cfbc143615c558b2c
9993cb081c420413c231d1807bfff342c39aa69a
refs/heads/main
2023-07-20T09:32:19.757643
2021-08-27T15:02:50
2021-08-27T15:02:50
337,837,827
0
0
null
null
null
null
UTF-8
Java
false
false
608
java
//,temp,VirtualMachineManagerImpl.java,5200,5213,temp,VirtualMachineManagerImpl.java,5189,5198 //,3 public class xxx { @ReflectionUse private Pair<JobInfo.Status, String> orchestrateReboot(final VmWorkReboot work) throws Exception { final VMInstanceVO vm = _entityMgr.findById(VMInstanceVO.class, work.getVmId()); if (vm == null) { s_logger.info("Unable to find vm " + work.getVmId()); } assert vm != null; orchestrateReboot(vm.getUuid(), work.getParams()); return new Pair<JobInfo.Status, String>(JobInfo.Status.SUCCEEDED, null); } };
c1d6f290e7273cd4eb4b9c3635642331a0db7d50
6fadaf16f6bc11094b3253a0afa5ef278e61399f
/Inzynierka/src/main/java/SandboxWebApi/InvoiceInfoStruct.java
6a9f3830888e85e49cb3a25a42d0cde9569e8690
[]
no_license
acierniewska/cinemaManagementApp
4852074e7f7d7593966a2ae9927b799f0453827c
b7d9d536f77ba08853678ad19266188fc871d0e1
refs/heads/master
2021-05-28T13:59:10.375415
2015-01-27T06:59:35
2015-01-27T06:59:35
null
0
0
null
null
null
null
UTF-8
Java
false
false
6,378
java
/** * InvoiceInfoStruct.java * * This file was auto-generated from WSDL * by the Apache Axis 1.4 Apr 22, 2006 (06:55:48 PDT) WSDL2Java emitter. */ package SandboxWebApi; public class InvoiceInfoStruct implements java.io.Serializable { private int invoiceAddressType; private SandboxWebApi.AddressUserDataStruct invoiceAddressData; private java.lang.String invoiceNip; public InvoiceInfoStruct() { } public InvoiceInfoStruct( int invoiceAddressType, SandboxWebApi.AddressUserDataStruct invoiceAddressData, java.lang.String invoiceNip) { this.invoiceAddressType = invoiceAddressType; this.invoiceAddressData = invoiceAddressData; this.invoiceNip = invoiceNip; } /** * Gets the invoiceAddressType value for this InvoiceInfoStruct. * * @return invoiceAddressType */ public int getInvoiceAddressType() { return invoiceAddressType; } /** * Sets the invoiceAddressType value for this InvoiceInfoStruct. * * @param invoiceAddressType */ public void setInvoiceAddressType(int invoiceAddressType) { this.invoiceAddressType = invoiceAddressType; } /** * Gets the invoiceAddressData value for this InvoiceInfoStruct. * * @return invoiceAddressData */ public SandboxWebApi.AddressUserDataStruct getInvoiceAddressData() { return invoiceAddressData; } /** * Sets the invoiceAddressData value for this InvoiceInfoStruct. * * @param invoiceAddressData */ public void setInvoiceAddressData(SandboxWebApi.AddressUserDataStruct invoiceAddressData) { this.invoiceAddressData = invoiceAddressData; } /** * Gets the invoiceNip value for this InvoiceInfoStruct. * * @return invoiceNip */ public java.lang.String getInvoiceNip() { return invoiceNip; } /** * Sets the invoiceNip value for this InvoiceInfoStruct. * * @param invoiceNip */ public void setInvoiceNip(java.lang.String invoiceNip) { this.invoiceNip = invoiceNip; } private java.lang.Object __equalsCalc = null; public synchronized boolean equals(java.lang.Object obj) { if (!(obj instanceof InvoiceInfoStruct)) return false; InvoiceInfoStruct other = (InvoiceInfoStruct) obj; if (obj == null) return false; if (this == obj) return true; if (__equalsCalc != null) { return (__equalsCalc == obj); } __equalsCalc = obj; boolean _equals; _equals = true && this.invoiceAddressType == other.getInvoiceAddressType() && ((this.invoiceAddressData==null && other.getInvoiceAddressData()==null) || (this.invoiceAddressData!=null && this.invoiceAddressData.equals(other.getInvoiceAddressData()))) && ((this.invoiceNip==null && other.getInvoiceNip()==null) || (this.invoiceNip!=null && this.invoiceNip.equals(other.getInvoiceNip()))); __equalsCalc = null; return _equals; } private boolean __hashCodeCalc = false; public synchronized int hashCode() { if (__hashCodeCalc) { return 0; } __hashCodeCalc = true; int _hashCode = 1; _hashCode += getInvoiceAddressType(); if (getInvoiceAddressData() != null) { _hashCode += getInvoiceAddressData().hashCode(); } if (getInvoiceNip() != null) { _hashCode += getInvoiceNip().hashCode(); } __hashCodeCalc = false; return _hashCode; } // Type metadata private static org.apache.axis.description.TypeDesc typeDesc = new org.apache.axis.description.TypeDesc(InvoiceInfoStruct.class, true); static { typeDesc.setXmlType(new javax.xml.namespace.QName("urn:SandboxWebApi", "InvoiceInfoStruct")); org.apache.axis.description.ElementDesc elemField = new org.apache.axis.description.ElementDesc(); elemField.setFieldName("invoiceAddressType"); elemField.setXmlName(new javax.xml.namespace.QName("urn:SandboxWebApi", "invoiceAddressType")); elemField.setXmlType(new javax.xml.namespace.QName("http://www.w3.org/2001/XMLSchema", "int")); elemField.setNillable(false); typeDesc.addFieldDesc(elemField); elemField = new org.apache.axis.description.ElementDesc(); elemField.setFieldName("invoiceAddressData"); elemField.setXmlName(new javax.xml.namespace.QName("urn:SandboxWebApi", "invoiceAddressData")); elemField.setXmlType(new javax.xml.namespace.QName("urn:SandboxWebApi", "AddressUserDataStruct")); elemField.setMinOccurs(0); elemField.setNillable(false); typeDesc.addFieldDesc(elemField); elemField = new org.apache.axis.description.ElementDesc(); elemField.setFieldName("invoiceNip"); elemField.setXmlName(new javax.xml.namespace.QName("urn:SandboxWebApi", "invoiceNip")); elemField.setXmlType(new javax.xml.namespace.QName("http://www.w3.org/2001/XMLSchema", "string")); elemField.setNillable(false); typeDesc.addFieldDesc(elemField); } /** * Return type metadata object */ public static org.apache.axis.description.TypeDesc getTypeDesc() { return typeDesc; } /** * Get Custom Serializer */ public static org.apache.axis.encoding.Serializer getSerializer( java.lang.String mechType, java.lang.Class _javaType, javax.xml.namespace.QName _xmlType) { return new org.apache.axis.encoding.ser.BeanSerializer( _javaType, _xmlType, typeDesc); } /** * Get Custom Deserializer */ public static org.apache.axis.encoding.Deserializer getDeserializer( java.lang.String mechType, java.lang.Class _javaType, javax.xml.namespace.QName _xmlType) { return new org.apache.axis.encoding.ser.BeanDeserializer( _javaType, _xmlType, typeDesc); } }
fa50e314842b90111580213297f1e2eddc09e2dc
eaddda5c0cd9273fe2e665c99381033e98ca5f30
/src/main/java/com/rdxer/jwtsso/server/impl/RoleServerImpl.java
a132f7b1dadaabafcf30b4a477a77df1762985f4
[]
no_license
Rdxer/jwt-sso
95419d6acbe554bd1ef02b4780ce94a789795940
d2173fa2cd42521f689ca828ba2b3ec02b0f6162
refs/heads/master
2020-08-02T18:15:21.682846
2020-03-12T03:13:26
2020-03-12T03:13:26
211,460,983
0
0
null
null
null
null
UTF-8
Java
false
false
689
java
package com.rdxer.jwtsso.server.impl; import com.rdxer.jwtsso.model.Role; import com.rdxer.jwtsso.repository.RoleRepository; import com.rdxer.jwtsso.server.RoleServer; import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.stereotype.Service; import javax.annotation.Resource; import javax.validation.constraints.NotNull; @Service public class RoleServerImpl implements RoleServer { @Resource RoleRepository repository; @Override public @NotNull JpaRepository<Role, Long> getRepository() { return repository; } @Override public Role findByName(String name) { return repository.findRoleByName(name); } }
7fa94bcd39dfc64e4623ea90927197a5c6d55e2c
d7d98a70b3075497b808be51000555e1cbd82ba1
/Labs/Lab 5 - LinkedList vs ArrayList/LinkedListBegin.java
065d67711a79df2ffbe382b3c2bded0405e934a0
[]
no_license
mconner5169/CPSC340--Data-Structures-and-Algorithms
fc8c210f5ece4d935f2dced2476650294f30f360
25244f7f7e3f05542778fcf07e609ad03d193073
refs/heads/master
2022-07-05T01:18:02.455873
2020-05-17T16:02:01
2020-05-17T16:02:01
null
0
0
null
null
null
null
UTF-8
Java
false
false
286
java
import java.util.LinkedList; public class LinkedListBegin { public static void main(String args[]) { int value = 500000; LinkedList<Integer> list = new LinkedList<Integer>(); //Adds numbers to end of list for (int i = 1; i < (value + 1); i ++) { list.addLast(i); } } }
ce80108b2485056f4ec110d98ddd9e55441138f0
bb7864e2358393260c5bdd5206733d90416eada2
/src/com/GEECTECH/Main.java
bf672a8a2bd00f9291900b7bdd26deaf2e53dda2
[]
no_license
daniyar02/Homework.3.0
f2597d84b0c2e1e7baea90a56e38e6d89c75b49f
9a0e4e36d3521d31b2b1a199843a6612564f680b
refs/heads/master
2023-05-30T13:26:58.609804
2021-06-10T13:31:13
2021-06-10T13:31:13
375,708,071
0
0
null
null
null
null
UTF-8
Java
false
false
775
java
package com.GEECTECH; public class Main { public static void main(String[] args) { BankAccount bankAccount = new BankAccount(); bankAccount.deposit(20000); System.out.println("На вашем счете " + bankAccount.getAmount() + " сом"); while (true) { try { System.out.println(bankAccount.withDraw(6000)); } catch (LimitException e) { System.out.println("На вашем счете " + e.getRemainingAmount() + "сом cнята остаток " + e.getRemainingAmount() + "." + "Оставшая сумма = " + (e.getRemainingAmount() - e.getRemainingAmount())); break; } } } }
c405e6e16ee3ce6f9345d8655241c3dc004a45e5
cbc61ffb33570a1bc55bb1e754510192b0366de2
/ole-app/olefs/src/main/java/org/kuali/ole/integration/cg/dto/KcObjectCode.java
d8f9034d15e9d41dde0d1a4d116a0021efff5cc9
[ "ECL-2.0" ]
permissive
VU-libtech/OLE-INST
42b3656d145a50deeb22f496f6f430f1d55283cb
9f5efae4dfaf810fa671c6ac6670a6051303b43d
refs/heads/master
2021-07-08T11:01:19.692655
2015-05-15T14:40:50
2015-05-15T14:40:50
24,459,494
1
0
ECL-2.0
2021-04-26T17:01:11
2014-09-25T13:40:33
Java
UTF-8
Java
false
false
1,538
java
/* * Copyright 2010 The Kuali Foundation. * * Licensed under the Educational Community License, Version 1.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.opensource.org/licenses/ecl1.php * * 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.kuali.ole.integration.cg.dto; public class KcObjectCode { String objectCodeName; String description; /** * Gets the objectCodeName attribute. * @return Returns the objectCodeName. */ public String getObjectCodeName() { return objectCodeName; } /** * Sets the objectCodeName attribute value. * @param objectCodeName The objectCodeName to set. */ public void setObjectCodeName(String objectCodeName) { this.objectCodeName = objectCodeName; } /** * Gets the description attribute. * @return Returns the description. */ public String getDescription() { return description; } /** * Sets the description attribute value. * @param description The description to set. */ public void setDescription(String description) { this.description = description; } }
d52844eb0877d9f236d586c28b469e08d9f4e1b2
fe3f91a5737896c69f6c8b6354b8be3ca3572eba
/app/src/main/java/com/rizkyghofur/guitartuner/SplashScreen.java
b6c842d503762ca97688f050060ac9e8ba8d708b
[]
no_license
rizkyghofur/GuitarTuner
d77905dbb8cf83c2bdcbb84bd59c91d703a9f0f8
5918d82a4f17a7e24e2ea4e26883f43c8f15823c
refs/heads/master
2020-09-26T21:55:56.589414
2019-12-06T14:46:41
2019-12-06T14:46:41
226,350,128
0
0
null
null
null
null
UTF-8
Java
false
false
710
java
package com.rizkyghofur.guitartuner; import android.content.Intent; import android.os.Handler; import android.os.Bundle; import androidx.appcompat.app.AppCompatActivity; public class SplashScreen extends AppCompatActivity { private int load=1500; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_splash_screen); new Handler().postDelayed(new Runnable() { @Override public void run() { Intent home=new Intent(SplashScreen.this, MainActivity.class); startActivity(home); finish(); } },load); } }
a8912bd958d9dfefdcf201c13bbf11d62270c5a0
be73270af6be0a811bca4f1710dc6a038e4a8fd2
/crash-reproduction-moho/results/CHART-4b-6-24-NSGA_II-LineCoverage:ExceptionType:StackTraceSimilarity/org/jfree/chart/ChartFactory_ESTest.java
99ac3428588573317bee6d61e38afa7cb60df7e5
[]
no_license
STAMP-project/Botsing-multi-objectivization-using-helper-objectives-application
cf118b23ecb87a8bf59643e42f7556b521d1f754
3bb39683f9c343b8ec94890a00b8f260d158dfe3
refs/heads/master
2022-07-29T14:44:00.774547
2020-08-10T15:14:49
2020-08-10T15:14:49
285,804,495
0
0
null
null
null
null
UTF-8
Java
false
false
1,214
java
/* * This file was automatically generated by EvoSuite * Sun Apr 05 13:21:41 UTC 2020 */ package org.jfree.chart; import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.jfree.chart.ChartFactory; import org.jfree.chart.plot.PlotOrientation; import org.jfree.data.xy.XYDataset; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(useVFS = true, useJEE = true) public class ChartFactory_ESTest extends ChartFactory_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { XYDataset xYDataset0 = mock(XYDataset.class, new ViolatedAssumptionAnswer()); doReturn(0).when(xYDataset0).getSeriesCount(); PlotOrientation plotOrientation0 = mock(PlotOrientation.class, new ViolatedAssumptionAnswer()); // Undeclared exception! ChartFactory.createScatterPlot((String) null, (String) null, "Eq5A/,Z+`]k{.g5x", xYDataset0, plotOrientation0, false, false, true); } }
4560ca226dc536ca9a0b121616ddca78e3648597
38362007b49dbe79ef7a725115aadec1abaf59d4
/src/boardgame/Board.java
3a9f95c2df40c52da80d2282cbae40f5b76e6a89
[]
no_license
analudias/chess-system-java
068bcf7381db3d5e547ea237caf1deded376bc08
01028ed21ea505d792098437ef13c6a5c651b099
refs/heads/master
2022-12-21T13:08:42.505163
2020-09-25T20:44:39
2020-09-25T20:44:39
281,179,138
0
0
null
null
null
null
UTF-8
Java
false
false
1,870
java
package boardgame; public class Board { private int rows; private int columns; private Piece[][] pieces; public Board(int rows, int columns) { if (rows < 1 || columns < 1) { throw new BoardException("Error creating board: there must be at least 1 row and 1 column"); } this.rows = rows; this.columns = columns; pieces = new Piece[rows][columns]; } public int getRows() { return rows; } public int getColumns() { return columns; } public Piece piece(int row, int column) { if (!positionExists(row, column)) { throw new BoardException("Position not on the board"); } return pieces[row][column]; } public Piece piece(Position position) { if (!positionExists(position)) { throw new BoardException("Position not on the board"); } return pieces[position.getRow()][position.getColumn()]; } public void placePiece(Piece piece, Position position) { if (thereIsAPiece(position)) { throw new BoardException("There is already a piece on position " + position); } pieces[position.getRow()][position.getColumn()] = piece; piece.position = position; } public Piece removePiece(Position position) { if (!positionExists(position)) { throw new BoardException("Position not on the board"); } if(piece(position) == null) { return null; } Piece aux = piece(position); aux.position = null; pieces[position.getRow()][position.getColumn()] = null; return aux; } private boolean positionExists(int row, int column) { return row >= 0 && row < rows && column >= 0 && column < columns; } public boolean positionExists(Position position) { return positionExists(position.getRow(), position.getColumn()); } public boolean thereIsAPiece(Position position) { if (!positionExists(position)) { throw new BoardException("Position not on the board"); } return piece(position) != null; } }
13b700ab23143e1e87ce6c20b92a49af15554a17
0091d99bcf5b0c3b8691f64945ba0b259d94d782
/android-app/src/com/comsysto/findbuddies/android/activity/BuddiesMapActivity.java
92a2e6846f1f58367b247ea3bbe9369828563ae8
[]
no_license
comsysto/findparty
1b915d62d80453080fd8120741ec0d796620c605
ec7ef5bfa407de7a2e24dec9596612c8e01a0c21
refs/heads/master
2020-06-08T15:31:33.576455
2013-03-17T20:53:11
2013-03-17T20:53:11
5,684,696
0
0
null
null
null
null
UTF-8
Java
false
false
1,526
java
package com.comsysto.findbuddies.android.activity; import android.os.Bundle; import com.comsysto.dalli.android.R; import com.google.android.gms.maps.GoogleMap; import com.google.android.gms.maps.MapFragment; import com.google.android.gms.maps.model.BitmapDescriptorFactory; import com.google.android.gms.maps.model.LatLng; import com.google.android.gms.maps.model.Marker; import com.google.android.gms.maps.model.MarkerOptions; /** * Created with IntelliJ IDEA. * User: stefandjurasic * Date: 14.03.13 * Time: 15:42 * To change this template use File | Settings | File Templates. */ public class BuddiesMapActivity extends AbstractActivity { static final LatLng HAMBURG = new LatLng(53.558, 9.927); static final LatLng KIEL = new LatLng(53.551, 9.993); private GoogleMap map; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.buddies_map); map = ((MapFragment) getFragmentManager().findFragmentById(R.id.map)) .getMap(); if (map!=null){ Marker hamburg = map.addMarker(new MarkerOptions().position(HAMBURG) .title("Hamburg")); Marker kiel = map.addMarker(new MarkerOptions() .position(KIEL) .title("Kiel") .snippet("Kiel is cool") .icon(BitmapDescriptorFactory .fromResource(R.drawable.androidmarker))); } } }
430f0aa9770560ea56736cb4e93cc230c8d94c28
068be8f35497726a641431d905cd0af5be09601e
/facebook2/src/com/facebook2/controller/GlobalServlet.java
637e7bebce21c25292e185164094ecd59fc181cb
[]
no_license
SHAIKRAZIYASULTHANA/zenarinfantary
9acf7112e983b7f95cb1733b005e9ae219463949
c8b055b15dfa76873d8640c726f9f53327820918
refs/heads/master
2020-07-16T13:17:20.639599
2019-09-02T07:09:27
2019-09-02T07:09:27
205,796,203
0
0
null
null
null
null
UTF-8
Java
false
false
2,178
java
package com.facebook2.controller; import java.io.IOException; import java.io.PrintWriter; import javax.servlet.ServletException; import javax.servlet.annotation.WebServlet; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import com.facebook2.entity.FacebookEmployee; import com.facebook2.service.FacebookService; import com.facebook2.service.FacebookServiceInterface; @WebServlet("/GlobalServlet") public class GlobalServlet extends HttpServlet { protected void service(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { response.setContentType("text/html"); PrintWriter out=response.getWriter(); out.println("<html><body>"); String option =request.getParameter("ac"); if(option.equals("register")) { //here name,pass,email,address are the name of html boxes String name=request.getParameter("name"); String pass=request.getParameter("pass"); String email=request.getParameter("email"); String address=request.getParameter("address"); //now Servlet want to transfer above data to service so it should //transfer in form of object because of DTO(data transfer object) //design pattern //object of? answer is entity now create entity FacebookEmployee //and set all values FacebookEmployee fe=new FacebookEmployee(); fe.setName(name); fe.setPass(pass); fe.setEmail(email); fe.setAddress(address); //now pass fe object to service layer hoe? //via object of service layer so create object using //factory design pattern and maintain low coupling via interface FacebookServiceInterface fs=FacebookService.createServiceObject(); //here create service object method is factory service int i=fs.createprofile(fe); if(i>0) { out.println("profile created <a href=login.html>login</a>"); } else { out.println("cloud not create profile"); } } if(option.equals("login")) { } if(option.equals("timeline")) { } out.println("</body></html>"); } }
eee3febce3a51ed09d09c220b0ebab0053f457d0
3f95cbb4d7e3f21ba921f02d677a548223c7de5e
/src/main/java/com/tma/exercises/oop/exercise03/Ball.java
884523e7f31987996f630d00bfadb6d3e37b7520
[]
no_license
luozhiyao101/CT
ef98b1304d59e6b0c85ef3713bf9933f89c8db93
22d023584a0f3c2493be26546ce1402c210509db
refs/heads/master
2023-03-15T19:50:06.671803
2018-06-23T14:29:13
2018-06-23T14:29:13
null
0
0
null
null
null
null
UTF-8
Java
false
false
1,157
java
package com.tma.exercises.oop.exercise03; public class Ball { private float x; private float y; private int radius; private float xDelta; private float yDelta; public Ball(float x, float y, int radius, float xDelta, float yDelta) { super(); this.x = x; this.y = y; this.radius = radius; this.xDelta = xDelta; this.yDelta = yDelta; } public float getX() { return x; } public void setX(float x) { this.x = x; } public float getY() { return y; } public void setY(float y) { this.y = y; } public int getRadius() { return radius; } public void setRadius(int radius) { this.radius = radius; } public float getxDelta() { return xDelta; } public void setxDelta(float xDelta) { this.xDelta = xDelta; } public float getyDelta() { return yDelta; } public void setyDelta(float yDelta) { this.yDelta = yDelta; } public void move() { x += xDelta; y += yDelta; } public void reflectHorizontal() { xDelta = -xDelta; } public void reflectVertical() { yDelta = -yDelta; } public String toString() { return "Ball[(" + x + ", " + y + "), speed=(" + xDelta + ", " + yDelta + ")]"; } }
68158c90ef2d9711d65268465268d1436fa549fe
08a4bbfdbe5f95b691401178d127c38ccb0ae061
/NoteCode/DesignPatterns/src/pattern/builder/BenzCar.java
b96db5cc4723c64ee83d068f3965fda94f8f7ff0
[]
no_license
WodahsOrez/NoteBooks
944060636bd3ff598194936efd329a021f19f27b
412bf86439ae1c377d52c8516d7949ec6bb0dedf
refs/heads/master
2023-01-11T08:33:26.528691
2020-08-13T03:14:48
2020-08-13T03:14:48
146,230,377
0
0
null
2023-01-06T13:36:11
2018-08-27T01:11:55
Java
UTF-8
Java
false
false
791
java
package pattern.builder; /** * @Description 奔驰车 * @author WodahsOrez * @date 2018年6月5日 上午11:40:02 * */ public class BenzCar extends AbstractCar { /** * @Description 奔驰车启动 */ @Override protected void start() { System.out.println("奔驰车启动"); } /** * @Description 奔驰车停止 */ @Override protected void stop() { System.out.println("奔驰车停止"); } /** * @Description 奔驰车鸣笛 */ @Override protected void alarm() { System.out.println("奔驰车鸣笛"); } /** * @Description 奔驰车引擎 */ @Override protected void engineBoom() { System.out.println("奔驰车引擎"); } }
c764280b5331f46d04e5361e4e9a19788dd368d3
668960d4d3d02dcb6161b8260ecc863dd7517636
/api/mgmt-api/src/main/java/org/openstack/atlas/api/mgmt/validation/validators/NodeValidator.java
0c39d15205cbb372984faf49743c0271f6efff4b
[]
no_license
lbrackspace/atlas-lb
de1eb3c45427b08308d348fe3dbcf3d38ce116cb
dde84090fefc9c6e5861d7f4d39dd291c745f392
refs/heads/master
2022-06-16T02:33:58.445491
2021-06-11T21:47:56
2021-06-11T21:47:56
2,043,124
3
16
null
2016-10-13T23:36:49
2011-07-13T17:12:25
Java
UTF-8
Java
false
false
5,028
java
package org.openstack.atlas.api.mgmt.validation.validators; import org.openstack.atlas.api.validation.Validator; import org.openstack.atlas.api.validation.ValidatorBuilder; import org.openstack.atlas.api.validation.context.HttpRequestType; import org.openstack.atlas.api.validation.results.ValidatorResult; import org.openstack.atlas.api.validation.validators.ResourceValidator; import org.openstack.atlas.api.validation.validators.ValidatorUtilities; import org.openstack.atlas.api.validation.verifiers.IpAddressVerifier; import org.openstack.atlas.api.validation.verifiers.Verifier; import org.openstack.atlas.api.validation.verifiers.VerifierResult; import org.openstack.atlas.docs.loadbalancers.api.management.v1.Node; import org.openstack.atlas.service.domain.entities.AccountLimitType; import org.openstack.atlas.service.domain.entities.NodeCondition; import org.openstack.atlas.service.domain.entities.NodeStatus; import org.openstack.atlas.service.domain.entities.NodeType; import static org.openstack.atlas.api.validation.ValidatorBuilder.build; import static org.openstack.atlas.api.validation.context.HttpRequestType.POST; import static org.openstack.atlas.api.validation.context.HttpRequestType.PUT; public class NodeValidator implements ResourceValidator<Node> { private final Validator<Node> validator; public NodeValidator() {validator = build(new ValidatorBuilder<Node>(Node.class) { { //PUT Expectations result(validationTarget().getType()).if_().exist().then().must().adhereTo(new Verifier<String>() { @Override public VerifierResult verify(String obj) { VerifierResult result = new VerifierResult(false); for (NodeType type : NodeType.values()) { try { result = new VerifierResult(type.equals(NodeType.valueOf(obj))); } catch (Exception e) { return result; } if (result.passed()) { break; } } return result; } }).forContext(PUT).withMessage("Must provide a valid nodeType"); result(validationTarget().getStatus()).if_().exist().then().must().adhereTo(new Verifier<String>() { @Override public VerifierResult verify(String obj) { VerifierResult result = new VerifierResult(false); for (NodeStatus status : NodeStatus.values()) { try { result = new VerifierResult(status.equals(NodeStatus.valueOf(obj))); } catch (Exception e) { return result; } if (result.passed()) { break; } } return result; } }).forContext(PUT).withMessage("Must provide a valid nodeStatus"); result(validationTarget().getCondition()).if_().exist().then().must().adhereTo(new Verifier<String>() { @Override public VerifierResult verify(String obj) { VerifierResult result = new VerifierResult(false); for (NodeCondition condition : NodeCondition.values()) { try { result = new VerifierResult(condition.equals(NodeCondition.valueOf(obj))); } catch (Exception e) { return result; } if (result.passed()) { break; } } return result; } }).forContext(PUT).withMessage("Must provide a valid nodeCondition"); result(validationTarget().getId()).must().not().exist().forContext(PUT).withMessage("Node id field cannot be modified."); result(validationTarget().getPort()).must().not().exist().forContext(PUT).withMessage("Port field cannot be modified."); must().adhereTo(new Verifier<Node>() { @Override public VerifierResult verify(Node node) { return new VerifierResult(node.getCondition() != null || node.getWeight() != null || node.getType() != null); } }).forContext(PUT).withMessage("The node must have at least one of the following to update: condition, weight, type."); } }); } @Override public ValidatorResult validate(Node node, Object httpRequestType) { ValidatorResult result = validator.validate(node, httpRequestType); return ValidatorUtilities.removeEmptyMessages(result); } @Override public Validator<Node> getValidator() { return validator; } }
7a4edaac8cc3e645ffdd5156dbb05db36b50f965
d60bb6319fb7e41559885c0b8828f3bdfe24cff5
/Java 8/20. BЩLЪM - Proje DosyasН/listeYapilari/src/listeOrnekleri/listeOrneleri.java
aaba23907b9e7e730e6d9732905aca0cb242dbd2
[]
no_license
tunahanyetimoglu/java
7c3880cc1fa11d2ceb11ce1420077526d27b5690
a2d494dbcf0c8e9b404f1f774a01acbe52e01b8f
refs/heads/master
2021-03-27T13:41:31.180588
2019-01-03T16:53:46
2019-01-03T16:53:46
90,137,679
0
0
null
null
null
null
ISO-8859-9
Java
false
false
1,176
java
package listeOrnekleri; import java.util.ArrayList; import java.util.ListIterator; public class listeOrneleri { public static void main(String[] args) { // TODO Auto-generated method stub ArrayList listeYapisi = new ArrayList(); listeYapisi.add("Edirne"); listeYapisi.add("İstanbul"); listeYapisi.add("Kırklareli"); listeYapisi.add("Tekirdağ"); listeYapisi.add("Çanakkale"); listeYapisi.add(1); listeYapisi.add("Edirne"); listeYapisi.set(5, "Bursa"); ListIterator li = listeYapisi.listIterator(); System.out.println("Baştan tarama"); while(li.hasNext()){ System.out.print("İndis değeri : " + li.nextIndex() + " "); System.out.println("Elemanımız : " + li.next()); } System.out.println("Sondan tarama"); while(li.hasPrevious()){ System.out.print("İndis değeri : " + li.previousIndex() + " "); System.out.println("Elemanımız : " + li.previous()); } System.out.println(listeYapisi.get(4)); } /* * listIterator * add() * set() * hasNext() * hasPrevious() * next() * previous() * nextIndex() * previousIndex() * */ }
a86e6e858346088748f4e82721c18f6b0e180a0a
7c273762c1e94056f1947bffe033086603b76a58
/app/src/main/java/gma_chakra/gma_app/Crystal_details_4.java
1edb44c7141d988ae62bace6b5c0d387b623b321
[]
no_license
alvi17/GMA_App
56e98528c2a6e10a25bd7f6b8dd7c4742fee5dd9
5ad6be1bbf472e8de459daa2b76458ce86d1404b
refs/heads/master
2021-01-10T14:28:29.004953
2016-03-01T07:32:22
2016-03-01T07:32:22
50,440,376
0
0
null
null
null
null
UTF-8
Java
false
false
9,293
java
package gma_chakra.gma_app; import android.app.Activity; import android.app.Dialog; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.graphics.Color; import android.graphics.drawable.ColorDrawable; import android.media.AudioManager; import android.media.MediaPlayer; import android.os.Bundle; import android.os.CountDownTimer; import android.os.Handler; import android.view.View; import android.view.Window; import android.view.WindowManager; import android.widget.Button; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.SeekBar; import android.widget.TextView; /** * Created by Alvi17 on 10/16/2015. */ public class Crystal_details_4 extends Activity implements View.OnClickListener{ public static final String MyPreference="sound_on_off"; public static final String Sound="sound"; ImageView chakra_flower,chakra_crystal; Button back,next,mainmeu; TextView chakraName,chakraDetails; int id=0; String[] titles; String[] descriptions; SharedPreferences sharedpreference; int sound_on_off=1; MediaPlayer mediaPlayer; int time=1; SeekBar seekbar; CountDownTimer cntr_aCounter; int i=0; int w,h; float density; LinearLayout l1,l2,l3; ImageView img; Dialog currentDialog; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.chakra_info_4); id=getIntent().getIntExtra("Position", 0); sharedpreference=getSharedPreferences(MyPreference, Context.MODE_PRIVATE); seekbar=(SeekBar)findViewById(R.id.ck4_seekbar); img=(ImageView)findViewById(R.id.imageView_ck4); img.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { showCrystal(); } }); getWindow().addFlags(WindowManager.LayoutParams.FLAG_KEEP_SCREEN_ON); if(sharedpreference.contains(Sound)) { sound_on_off = sharedpreference.getInt(Sound,0); } if(sharedpreference.contains("Time")) { time=sharedpreference.getInt("Time",0); } // Toast.makeText(getApplicationContext(), "Sound " + sound_on_off, Toast.LENGTH_LONG).show(); titles=getResources().getStringArray(R.array.chakra_title); descriptions=getResources().getStringArray(R.array.chakra_details); seekbar.setMax(time*60); back=(Button)findViewById(R.id.back_button4); next=(Button)findViewById(R.id.nextbutton4); mainmeu=(Button)findViewById(R.id.main_menubutton4); // // l1=(LinearLayout)findViewById(R.id.ck4_first); // l2=(LinearLayout)findViewById(R.id.ck4_second); // l3=(LinearLayout)findViewById(R.id.ck4_text); // // LinearLayout.LayoutParams parms=(LinearLayout.LayoutParams)l1.getLayoutParams(); // LinearLayout.LayoutParams parms1=(LinearLayout.LayoutParams)l2.getLayoutParams(); // LinearLayout.LayoutParams parms3=(LinearLayout.LayoutParams)l3.getLayoutParams(); // DisplayMetrics dMetrics = new DisplayMetrics(); // this.getWindowManager().getDefaultDisplay().getMetrics(dMetrics); // density = dMetrics.density; // w = Math.round(dMetrics.widthPixels / density); // h = Math.round(dMetrics.heightPixels / density); // parms.height=dMetrics.heightPixels/2-40; // parms.width=dMetrics.widthPixels-10; // l1.setLayoutParams(parms); // parms1.height=dMetrics.heightPixels/2-90; // parms1.width=dMetrics.widthPixels/2-10; // l2.setLayoutParams(parms1); // parms3.height=dMetrics.heightPixels/3; // l3.setLayoutParams(parms3); back.setOnClickListener(this); next.setOnClickListener(this); mainmeu.setOnClickListener(this); if(sound_on_off==1) { mediaPlayer = MediaPlayer.create(this, R.raw.chakra5); mediaPlayer.setAudioStreamType(AudioManager.STREAM_MUSIC); mediaPlayer.setVolume(1, 1); mediaPlayer.setLooping(true); mediaPlayer.start(); if(time!=0) { int t=0; if(time!=4) { t=time*60000; } else { t=mediaPlayer.getDuration(); mediaPlayer.setLooping(false); // Toast.makeText(getApplicationContext(),"Time: " +t,Toast.LENGTH_LONG).show(); } cntr_aCounter = new CountDownTimer(t,1000) { public void onTick(long millisUntilFinished) { i++; int progress=i/2; seekbar.setProgress(progress); } public void onFinish() { //code fire after finish mediaPlayer.stop(); seekbar.setProgress(seekbar.getMax()); if(id==10 || id==1) { new Handler().postDelayed(new Runnable() { @Override public void run() { // This method will be executed once the timer is over // Start your app main activity // Toast.makeText(getApplicationContext(), "IN Handler ID: " + id, Toast.LENGTH_LONG).show(); } }, 1000); Intent i = new Intent(Crystal_details_4.this,Crystal_details_5.class ); i.putExtra("Position", id); startActivity(i); // close this activity // finish(); } } }; cntr_aCounter.start(); } else { mediaPlayer.start(); } } } @Override public void onClick(View v) { Intent intent; switch (v.getId()) { case R.id.nextbutton4: id=(id+1)%8; if(sound_on_off==1) { if (mediaPlayer.isPlaying()) { mediaPlayer.stop(); } } intent=new Intent(Crystal_details_4.this,Crystal_details_5.class); startActivity(intent); // finish(); break; case R.id.back_button4: id=(id+7)%8; if(sound_on_off==1) { if (mediaPlayer.isPlaying()) { mediaPlayer.stop(); } } intent=new Intent(Crystal_details_4.this,Crystal_details_3.class); startActivity(intent); // finish(); break; case R.id.main_menubutton4: if(sound_on_off==1) { if (mediaPlayer.isPlaying()) { mediaPlayer.stop(); } } intent=new Intent(Crystal_details_4.this,MainMenuClass.class); startActivity(intent); finish(); break; } } @Override protected void onPause() { super.onPause(); if(sound_on_off==1) { if (mediaPlayer.isPlaying()) { mediaPlayer.stop(); } cntr_aCounter.cancel(); } } @Override protected void onResume() { super.onResume(); if(sound_on_off==1) { if (!mediaPlayer.isPlaying()) { mediaPlayer.start(); } cntr_aCounter.start(); } } public void showCrystal() { currentDialog=new Dialog(this); currentDialog.requestWindowFeature(Window.FEATURE_NO_TITLE); currentDialog.getWindow().setBackgroundDrawable(new ColorDrawable(Color.TRANSPARENT)); currentDialog.setContentView(R.layout.color_dialog); // ImageView bigImage=(ImageView)currentDialog.findViewById(R.id.bigImage); LinearLayout ll=(LinearLayout)currentDialog.findViewById(R.id.dialog_layout); LinearLayout bigImage=(LinearLayout)currentDialog.findViewById(R.id.bigImage_layout); // LinearLayout.LayoutParams parm=(LinearLayout.LayoutParams)ll.getLayoutParams(); // parm.height=dMetrics.heightPixels/2+150; // parm.width=dMetrics.widthPixels-100; // ll.setLayoutParams(parm); bigImage.setBackgroundResource(R.drawable.chakracrystal4); Button close=(Button)currentDialog.findViewById(R.id.closeButton); close.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { currentDialog.dismiss(); } }); currentDialog.setCancelable(true); currentDialog.show(); } }
ab8566850a8bf9c0ca4fabb15c900ef37b292d64
35b19238244a7b96aec57b4d3d3fb195bfd16a32
/fabric/fabric-commands/src/main/java/io/fabric8/commands/VersionDeleteAction.java
393e32d25a8005bf98caaa928156bf94c2941f39
[ "Apache-2.0" ]
permissive
alns/fabric8
a91a31609115bdaa28ec00c417c21960eabdebfc
e21c2c7422d36ebf96064fe9003da50f53bcee6a
refs/heads/master
2021-01-17T21:57:26.932998
2014-07-17T12:25:55
2014-07-17T15:39:56
null
0
0
null
null
null
null
UTF-8
Java
false
false
2,362
java
/** * Copyright 2005-2014 Red Hat, Inc. * * Red Hat licenses this file to you under the Apache License, version * 2.0 (the "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or * implied. See the License for the specific language governing * permissions and limitations under the License. */ package io.fabric8.commands; import io.fabric8.api.FabricService; import org.apache.felix.gogo.commands.Argument; import org.apache.felix.gogo.commands.Command; import io.fabric8.api.Container; import io.fabric8.api.Version; import org.apache.karaf.shell.console.AbstractAction; @Command(name = "version-delete", scope = "fabric", description = "Delete the specified version, together with all of its associated profile data") public class VersionDeleteAction extends AbstractAction { @Argument(index = 0, name = "version", description = "The version to delete", required = true, multiValued = false) private String versionName; private final FabricService fabricService; VersionDeleteAction(FabricService fabricService) { this.fabricService = fabricService; } public FabricService getFabricService() { return fabricService; } @Override protected Object doExecute() throws Exception { Version version = getFabricService().getVersion(versionName); if (version == null) { throw new IllegalArgumentException("Cannot find version: " + versionName); } StringBuilder sb = new StringBuilder(); for (Container container : getFabricService().getContainers()) { if (version.equals(container.getVersion())) { if (sb.length() > 0) { sb.append(", "); } sb.append(container.getId()); } } if (sb.length() > 0) { throw new IllegalArgumentException("Version " + versionName + " is still in used by the following containers: " + sb.toString()); } version.delete(); return null; } }
e8e69d5923126d2320141dfc40634f2d11bbfe0a
6101905dccfa0087827f8a72618648b947c2ddc8
/src/main/java/com/PRD/dao/RandomValidateCode.java
11509e4930edb9240e39915ae4115d46201ecb33
[]
no_license
815345789/menggangtong
fbde986d2f7e21b48a8bafadc9be45c56b11900a
db969fd774374d0e3e0ff15e680e7ae15960c4e7
refs/heads/master
2020-03-24T16:49:30.045288
2018-07-30T07:16:40
2018-07-30T07:16:40
139,915,910
0
0
null
null
null
null
UTF-8
Java
false
false
3,444
java
package com.PRD.dao; import java.awt.Color; import java.awt.Font; import java.awt.Graphics; import java.awt.image.BufferedImage; import java.util.Random; import javax.imageio.ImageIO; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import javax.servlet.http.HttpSession; public class RandomValidateCode { public static final String RANDOMCODEKEY="RANDOMVALIDATECODEKEY"; private String randString="0123456789abcdefghijklmnopqrstuvwxyz"; private int width=95; private int height=25; private int lineSize=40; private int stringNum=4; private Random random=new Random(); //获得字体 private Font getFont(){ return new Font("Fixedsys",Font.CENTER_BASELINE, 18); } //获得颜色 private Color getRandColor(int fc,int bc){ if(fc>255) fc=255; if(bc>255) bc=255; int r = fc + random.nextInt(bc - fc - 16); int g = fc + random.nextInt(bc - fc - 14); int b = fc + random.nextInt(bc - fc - 18); return new Color(r, g, b); } //生成随机图片 public void getRandCode(HttpServletRequest request, HttpServletResponse response){ HttpSession session = request.getSession(); // BufferedImage类是具有缓冲区的Image类,Image类是用于描述图像信息的类 BufferedImage image = new BufferedImage(width, height, BufferedImage.TYPE_INT_BGR); Graphics g = image.getGraphics();// 产生Image对象的Graphics对象,改对象可以在图像上进行各种绘制操作 g.fillRect(0, 0, width, height); g.setFont(new Font("Times New Roman", Font.ROMAN_BASELINE, 18)); g.setColor(getRandColor(110, 133)); // 绘制干扰线 for (int i = 0; i <= lineSize; i++) { drowLine(g); } // 绘制随机字符 String randomString = ""; for (int i = 1; i <= stringNum; i++) { randomString = drowString(g, randomString, i); } //将生成的随机字符串保存到session中,而jsp界面通过session.getAttribute("RANDOMCODEKEY"), //获得生成的验证码,然后跟用户输入的进行比较 session.removeAttribute(RANDOMCODEKEY); session.setAttribute(RANDOMCODEKEY, randomString); g.dispose(); try { // 将内存中的图片通过流动形式输出到客户端 ImageIO.write(image, "JPEG", response.getOutputStream()); } catch (Exception e) { e.printStackTrace(); } } //绘制字符串 private String drowString(Graphics g, String randomString, int i) { g.setFont(getFont()); g.setColor(new Color(random.nextInt(101), random.nextInt(111), random .nextInt(121))); String rand = String.valueOf(getRandomString(random.nextInt(randString .length()))); randomString += rand; g.translate(random.nextInt(3), random.nextInt(3)); g.drawString(rand, 13 * i, 16); return randomString; } //绘制干扰线 private void drowLine(Graphics g) { int x = random.nextInt(width); int y = random.nextInt(height); int xl = random.nextInt(13); int yl = random.nextInt(15); g.drawLine(x, y, x + xl, y + yl); } //获得随机字符 public String getRandomString(int num) { return String.valueOf(randString.charAt(num)); } }
6255428a45a26ef5ac030615b556ba5e8234271b
fa91450deb625cda070e82d5c31770be5ca1dec6
/Diff-Raw-Data/22/22_ecc6ab754b7801f03c63cb9fac28faf4528aac8b/SkypeChatManager/22_ecc6ab754b7801f03c63cb9fac28faf4528aac8b_SkypeChatManager_t.java
fe13116716bfc55ba4780f7fcdc792a571650b28
[]
no_license
zhongxingyu/Seer
48e7e5197624d7afa94d23f849f8ea2075bcaec0
c11a3109fdfca9be337e509ecb2c085b60076213
refs/heads/master
2023-07-06T12:48:55.516692
2023-06-22T07:55:56
2023-06-22T07:55:56
259,613,157
6
2
null
2023-06-22T07:55:57
2020-04-28T11:07:49
null
UTF-8
Java
false
false
6,665
java
/**************************************************************************** * Copyright (c) 2004 Composent, Inc. and others. * All rights reserved. This program and the accompanying materials * are made available under the terms of the Eclipse Public License v1.0 * which accompanies this distribution, and is available at * http://www.eclipse.org/legal/epl-v10.html * * Contributors: * Composent, Inc. - initial API and implementation *****************************************************************************/ package org.eclipse.ecf.provider.skype; import java.util.HashMap; import java.util.Iterator; import java.util.Map; import java.util.Vector; import org.eclipse.ecf.core.identity.ID; import org.eclipse.ecf.core.identity.IDFactory; import org.eclipse.ecf.core.util.ECFException; import org.eclipse.ecf.core.util.Trace; import org.eclipse.ecf.internal.provider.skype.Activator; import org.eclipse.ecf.presence.IIMMessageListener; import org.eclipse.ecf.presence.history.IHistory; import org.eclipse.ecf.presence.history.IHistoryManager; import org.eclipse.ecf.presence.im.ChatMessageEvent; import org.eclipse.ecf.presence.im.IChat; import org.eclipse.ecf.presence.im.IChatManager; import org.eclipse.ecf.presence.im.IChatMessage; import org.eclipse.ecf.presence.im.IChatMessageSender; import org.eclipse.ecf.presence.im.ITypingMessageSender; import org.eclipse.ecf.presence.im.IChatMessage.Type; import org.eclipse.ecf.provider.skype.identity.SkypeUserID; import com.skype.Chat; import com.skype.ChatMessage; import com.skype.ChatMessageListener; import com.skype.Skype; import com.skype.SkypeException; /** * */ public class SkypeChatManager implements IChatManager { private Vector chatListeners = new Vector(); private Map chats = new HashMap(); protected void dispose() { Skype.removeChatMessageListener(chatMessageListener); chatListeners.clear(); chats.clear(); } ChatMessageListener chatMessageListener = new ChatMessageListener() { public void chatMessageReceived(ChatMessage chatMessageReceived) throws SkypeException { // TODO Auto-generated method stub Trace .trace( Activator.PLUGIN_ID, "chatMessageReceived(id=" //$NON-NLS-1$ + chatMessageReceived.getId() + ";content=" + chatMessageReceived.getContent() + ";senderid=" + chatMessageReceived.getSenderId() + ";sendername=" + chatMessageReceived.getSenderDisplayName() + ")"); //$NON-NLS-1$ fireChatMessageReceived(chatMessageReceived); } private void fireChatMessageReceived(ChatMessage chatMessageReceived) { for(Iterator i=chatListeners.iterator(); i.hasNext(); ) { IIMMessageListener l = (IIMMessageListener) i.next(); try { Chat chat = (Chat) chats.get(chatMessageReceived.getChat().getId()); if (chat != null) { ID senderID = new SkypeUserID(chatMessageReceived.getSenderId()); final IChatMessage chatMessage = new org.eclipse.ecf.presence.im.ChatMessage(senderID,IDFactory.getDefault().createStringID(chatMessageReceived.getId()),Type.CHAT,null,chatMessageReceived.getContent(),createPropertiesForChatMessage(chatMessageReceived)); l.handleMessageEvent(new ChatMessageEvent(senderID,chatMessage)); } } catch (Exception e) { // Log // TODO Auto-generated catch block e.printStackTrace(); } } } private Map createPropertiesForChatMessage( ChatMessage chatMessageReceived) { // TODO Auto-generated method stub return null; } public void chatMessageSent(ChatMessage sentChatMessage) throws SkypeException { String chatId = sentChatMessage.getChat().getId(); Chat chat = (Chat) chats.get(chatId); if (chat == null) chats.put(chatId, sentChatMessage.getChat()); Trace.trace( Activator.PLUGIN_ID, "chatMessageSent(id=" //$NON-NLS-1$ + sentChatMessage.getId() + ";content=" + sentChatMessage.getContent() + ";senderid=" + sentChatMessage.getSenderId() + ";sendername=" + sentChatMessage.getSenderDisplayName() + ")"); //$NON-NLS-1$ } }; IHistoryManager historyManager = new IHistoryManager() { public IHistory getHistory(ID targetID, Map options) { return null; } public boolean isActive() { return false; } public void setActive(boolean active) { } public Object getAdapter(Class adapter) { return null; } }; IChatMessageSender chatMessageSender = new IChatMessageSender() { public void sendChatMessage(ID toID, ID threadID, Type type, String subject, String body, Map properties) throws ECFException { if (toID == null || !(toID instanceof SkypeUserID)) throw new ECFException("Invalid Skype ID"); SkypeUserID skypeId = (SkypeUserID) toID; try { Chat chat = Skype.chat(skypeId.getName()); chat.send(body); } catch (SkypeException e) { throw new ECFException("Skype Exception",e); } } public void sendChatMessage(ID toID, String body) throws ECFException { sendChatMessage(toID,null,Type.CHAT,null,body,null); } }; /** * @param skypeContainer * @param user2 * @param userID2 * @param skypeProfile */ public SkypeChatManager() throws SkypeException { Skype.addChatMessageListener(chatMessageListener); } /* (non-Javadoc) * @see org.eclipse.ecf.presence.im.IChatManager#addMessageListener(org.eclipse.ecf.presence.IIMMessageListener) */ public void addMessageListener(IIMMessageListener listener) { chatListeners.add(listener); } /* (non-Javadoc) * @see org.eclipse.ecf.presence.im.IChatManager#getChatMessageSender() */ public IChatMessageSender getChatMessageSender() { return chatMessageSender; } /* (non-Javadoc) * @see org.eclipse.ecf.presence.im.IChatManager#getHistoryManager() */ public IHistoryManager getHistoryManager() { return historyManager; } /* (non-Javadoc) * @see org.eclipse.ecf.presence.im.IChatManager#getTypingMessageSender() */ public ITypingMessageSender getTypingMessageSender() { return null; } /* (non-Javadoc) * @see org.eclipse.ecf.presence.im.IChatManager#removeMessageListener(org.eclipse.ecf.presence.IIMMessageListener) */ public void removeMessageListener(IIMMessageListener listener) { chatListeners.remove(listener); } /* (non-Javadoc) * @see org.eclipse.ecf.presence.im.IChatManager#createChat(org.eclipse.ecf.core.identity.ID) */ public IChat createChat(ID targetUser) throws ECFException { // TODO Auto-generated method stub return null; } }
d1f6815816f39f882b5efea881ec4864201a36ac
1d8d116a2c166b4bc0d8813f20f4fbccd894a132
/src/main/java/com/pyramid/shoppingcart/service/ProductService.java
05d4091b58e902b5d5c91ea871c960fa491a16e3
[]
no_license
rweems/JavaReactShoppingCart
7780c6b83b8eba41d48cfcb26034ecb7ecbd09f0
ddd562bfacfe369310dd596954da6f15a8debc3e
refs/heads/master
2021-07-21T14:19:31.650993
2020-01-16T17:52:38
2020-01-16T17:52:38
233,628,554
0
2
null
2021-01-05T19:18:11
2020-01-13T15:31:33
JavaScript
UTF-8
Java
false
false
669
java
package com.pyramid.shoppingcart.service; import java.util.List; import java.util.Optional; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Service; import com.pyramid.shoppingcart.Repository.ProductRepository; import com.pyramid.shoppingcart.model.product; @Service public class ProductService { @Autowired private ProductRepository pr; public List<product> getAllProducts(){ return pr.findAll(); } public void addProduct(product p) { pr.save(p); } public void deleteProduct(Long id) { pr.deleteById(id); } public product getProductById(Long id) { return pr.findById(id).get(); } }
6d874e044fde4b41247e2007f906dabd477946c8
6b58665a136c113ec3c854d39de93fdaa34924e0
/src/main/java/ObjectToObject/interfaceDemo/demo1/Student.java
4cacdf31bac95d7c39741118527a7f0b9eb0ff8f
[]
no_license
Forever-nuo/javaSe
7ea1844c9817d44d50a85695825a1da4697b7406
32dd97d0e996e8a06fd3a294d0fda2c2ef0cb818
refs/heads/master
2020-12-30T12:44:19.180860
2017-10-25T15:54:42
2017-10-25T15:54:42
91,352,742
0
0
null
null
null
null
UTF-8
Java
false
false
543
java
package ObjectToObject.interfaceDemo.demo1; /** * Created by forever on 2017-4-22. */ public class Student implements PersonInterface { /*** * 接口中所有的方法都是抽象的 没有方法体 * 默认都是 public abstract 返回类型 方法名(参数列表) ; * * @param i */ public void show1(int i) { } /** * 可以简写成 返回类型 方法名(参数列表); * 但还是 是 public abstract 返回类型 方法名(参数列表); */ public void show2() { } }
[ "857173891@qq,com" ]
857173891@qq,com
e0bbfcea6784c76efd3a829449617b0838c9811b
697533704a11af92c1940d251de78c016b1dd020
/MapsActivity.java
1053ca3931022df834003a01ecbf767e04e0955b
[]
no_license
GeethikaLingamaneni/Charge-n-move
8f66626da1cbf8b40087de893268005c438251e3
58c0ccdd6251c1ab2947fe801e6abc0173517b0e
refs/heads/master
2020-03-27T11:25:25.143280
2018-08-28T18:20:42
2018-08-28T18:20:42
146,485,857
0
0
null
null
null
null
UTF-8
Java
false
false
18,986
java
package com.example.android.movehack; import android.Manifest; import android.content.Intent; import android.content.pm.PackageManager; import android.graphics.Color; import android.location.Location; import android.os.AsyncTask; import android.os.Build; import android.os.Bundle; import android.support.v4.app.ActivityCompat; import android.support.v4.app.FragmentActivity; import android.support.v4.content.ContextCompat; import android.util.Log; import android.widget.Toast; import com.google.android.gms.common.ConnectionResult; import com.google.android.gms.common.api.GoogleApiClient; import com.google.android.gms.location.LocationListener; import com.google.android.gms.location.LocationRequest; import com.google.android.gms.location.LocationServices; import com.google.android.gms.maps.CameraUpdateFactory; import com.google.android.gms.maps.GoogleMap; import com.google.android.gms.maps.OnMapReadyCallback; import com.google.android.gms.maps.SupportMapFragment; import com.google.android.gms.maps.model.BitmapDescriptorFactory; import com.google.android.gms.maps.model.LatLng; import com.google.android.gms.maps.model.Marker; import com.google.android.gms.maps.model.MarkerOptions; import com.google.android.gms.maps.model.PolylineOptions; import org.json.JSONObject; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStream; import java.io.InputStreamReader; import java.net.HttpURLConnection; import java.net.URL; import java.util.ArrayList; import java.util.HashMap; import java.util.List; public class MapsActivity extends FragmentActivity implements OnMapReadyCallback, GoogleApiClient.ConnectionCallbacks, GoogleApiClient.OnConnectionFailedListener, LocationListener,GoogleMap.OnMarkerClickListener { private GoogleMap mMap; ArrayList<LatLng> MarkerPoints; GoogleApiClient mGoogleApiClient; Location mLastLocation; Marker mCurrLocationMarker; LocationRequest mLocationRequest; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_maps); if (android.os.Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) { checkLocationPermission(); } // Initializing MarkerPoints = new ArrayList<>(); // Obtain the SupportMapFragment and get notified when the map is ready to be used. SupportMapFragment mapFragment = (SupportMapFragment) getSupportFragmentManager().findFragmentById(R.id.map); mapFragment.getMapAsync(this); } /** * Manipulates the map once available. * This callback is triggered when the map is ready to be used. * This is where we can add markers or lines, add listeners or move the camera. In this case, * we just add a marker near Sydney, Australia. * If Google Play services is not installed on the device, the user will be prompted to install * it inside the SupportMapFragment. This method will only be triggered once the user has * installed Google Play services and returned to the app. */ @Override public void onMapReady(GoogleMap googleMap) { mMap = googleMap; LatLng chargeStation1 = new LatLng(28.62817013534305, 77.21024036407472); googleMap.addMarker(new MarkerOptions().position(chargeStation1) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation1)); LatLng chargeStation2 = new LatLng(28.686865, 77.092438); googleMap.addMarker(new MarkerOptions().position(chargeStation2) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation2)); LatLng chargeStation3 = new LatLng(28.578504, 77.183475); googleMap.addMarker(new MarkerOptions().position(chargeStation3) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation3)); LatLng chargeStation4 = new LatLng(28.550399, 77.213916); googleMap.addMarker(new MarkerOptions().position(chargeStation4) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation4)); LatLng chargeStation5 = new LatLng(28.691707, 77.299054); googleMap.addMarker(new MarkerOptions().position(chargeStation5) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation5)); LatLng chargeStation6 = new LatLng(28.669572, 77.308475); googleMap.addMarker(new MarkerOptions().position(chargeStation6) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation6)); LatLng chargeStation7 = new LatLng(28.672610, 77.083019); googleMap.addMarker(new MarkerOptions().position(chargeStation7) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation7)); LatLng chargeStation8 = new LatLng(28.583752, 77.080221); googleMap.addMarker(new MarkerOptions().position(chargeStation8) .title("Charging Station")); googleMap.moveCamera(CameraUpdateFactory.newLatLng(chargeStation8)); //Initialize Google Play Services if (android.os.Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) { if (ContextCompat.checkSelfPermission(this, Manifest.permission.ACCESS_FINE_LOCATION) == PackageManager.PERMISSION_GRANTED) { buildGoogleApiClient(); mMap.setMyLocationEnabled(true); } } else { buildGoogleApiClient(); mMap.setMyLocationEnabled(true); } // Setting onclick event listener for the map mMap.setOnMapClickListener(new GoogleMap.OnMapClickListener() { @Override public void onMapClick(LatLng point) { // Already two locations if (MarkerPoints.size() > 1) { MarkerPoints.clear(); mMap.clear(); } // Adding new item to the ArrayList MarkerPoints.add(point); // Creating MarkerOptions MarkerOptions options = new MarkerOptions(); // Setting the position of the marker options.position(point); /** * For the start location, the color of marker is GREEN and * for the end location, the color of marker is RED. */ if (MarkerPoints.size() == 1) { options.icon(BitmapDescriptorFactory.defaultMarker(BitmapDescriptorFactory.HUE_GREEN)); } else if (MarkerPoints.size() == 2) { options.icon(BitmapDescriptorFactory.defaultMarker(BitmapDescriptorFactory.HUE_RED)); } // Add new marker to the Google Map Android API V2 mMap.addMarker(options); // Checks, whether start and end locations are captured if (MarkerPoints.size() >= 2) { LatLng origin = MarkerPoints.get(0); LatLng dest = MarkerPoints.get(1); // Getting URL to the Google Directions API String url = getUrl(origin, dest); Log.d("onMapClick", url.toString()); FetchUrl FetchUrl = new FetchUrl(); // Start downloading json data from Google Directions API FetchUrl.execute(url); //move map camera mMap.moveCamera(CameraUpdateFactory.newLatLng(origin)); mMap.animateCamera(CameraUpdateFactory.zoomTo(11)); } } }); mMap.setOnMarkerClickListener( this); } @Override public boolean onMarkerClick(final Marker marker) { Intent intent = new Intent(MapsActivity.this,StationDetails.class); startActivity(intent); return true; } private String getUrl(LatLng origin, LatLng dest) { // Origin of route String str_origin = "origin=" + origin.latitude + "," + origin.longitude; // Destination of route String str_dest = "destination=" + dest.latitude + "," + dest.longitude; // Sensor enabled String sensor = "sensor=false"; // Building the parameters to the web service String parameters = str_origin + "&" + str_dest + "&" + sensor; // Output format String output = "json"; // Building the url to the web service String url = "https://maps.googleapis.com/maps/api/directions/" + output + "?" + parameters; return url; } /** * A method to download json data from url */ private String downloadUrl(String strUrl) throws IOException { String data = ""; InputStream iStream = null; HttpURLConnection urlConnection = null; try { URL url = new URL(strUrl); // Creating an http connection to communicate with url urlConnection = (HttpURLConnection) url.openConnection(); // Connecting to url urlConnection.connect(); // Reading data from url iStream = urlConnection.getInputStream(); BufferedReader br = new BufferedReader(new InputStreamReader(iStream)); StringBuffer sb = new StringBuffer(); String line = ""; while ((line = br.readLine()) != null) { sb.append(line); } data = sb.toString(); Log.d("downloadUrl", data.toString()); br.close(); } catch (Exception e) { Log.d("Exception", e.toString()); } finally { iStream.close(); urlConnection.disconnect(); } return data; } // Fetches data from url passed private class FetchUrl extends AsyncTask<String, Void, String> { @Override protected String doInBackground(String... url) { // For storing data from web service String data = ""; try { // Fetching the data from web service data = downloadUrl(url[0]); Log.d("Background Task data", data.toString()); } catch (Exception e) { Log.d("Background Task", e.toString()); } return data; } @Override protected void onPostExecute(String result) { super.onPostExecute(result); ParserTask parserTask = new ParserTask(); // Invokes the thread for parsing the JSON data parserTask.execute(result); } } /** * A class to parse the Google Places in JSON format */ private class ParserTask extends AsyncTask<String, Integer, List<List<HashMap<String, String>>>> { // Parsing the data in non-ui thread @Override protected List<List<HashMap<String, String>>> doInBackground(String... jsonData) { JSONObject jObject; List<List<HashMap<String, String>>> routes = null; try { jObject = new JSONObject(jsonData[0]); Log.d("ParserTask",jsonData[0].toString()); DataParser parser = new DataParser(); Log.d("ParserTask", parser.toString()); // Starts parsing data routes = parser.parse(jObject); Log.d("ParserTask","Executing routes"); Log.d("ParserTask",routes.toString()); } catch (Exception e) { Log.d("ParserTask",e.toString()); e.printStackTrace(); } return routes; } // Executes in UI thread, after the parsing process @Override protected void onPostExecute(List<List<HashMap<String, String>>> result) { ArrayList<LatLng> points; PolylineOptions lineOptions = null; // Traversing through all the routes for (int i = 0; i < result.size(); i++) { points = new ArrayList<>(); lineOptions = new PolylineOptions(); // Fetching i-th route List<HashMap<String, String>> path = result.get(i); // Fetching all the points in i-th route for (int j = 0; j < path.size(); j++) { HashMap<String, String> point = path.get(j); double lat = Double.parseDouble(point.get("lat")); double lng = Double.parseDouble(point.get("lng")); LatLng position = new LatLng(lat, lng); points.add(position); } // Adding all the points in the route to LineOptions lineOptions.addAll(points); lineOptions.width(10); lineOptions.color(Color.RED); Log.d("onPostExecute","onPostExecute lineoptions decoded"); } // Drawing polyline in the Google Map for the i-th route if(lineOptions != null) { mMap.addPolyline(lineOptions); } else { Log.d("onPostExecute","without Polylines drawn"); } } } protected synchronized void buildGoogleApiClient() { mGoogleApiClient = new GoogleApiClient.Builder(this) .addConnectionCallbacks(this) .addOnConnectionFailedListener(this) .addApi(LocationServices.API) .build(); mGoogleApiClient.connect(); } @Override public void onConnected(Bundle bundle) { mLocationRequest = new LocationRequest(); mLocationRequest.setInterval(1000); mLocationRequest.setFastestInterval(1000); mLocationRequest.setPriority(LocationRequest.PRIORITY_BALANCED_POWER_ACCURACY); if (ContextCompat.checkSelfPermission(this, Manifest.permission.ACCESS_FINE_LOCATION) == PackageManager.PERMISSION_GRANTED) { LocationServices.FusedLocationApi.requestLocationUpdates(mGoogleApiClient, mLocationRequest, this); } } @Override public void onConnectionSuspended(int i) { } @Override public void onLocationChanged(Location location) { mLastLocation = location; if (mCurrLocationMarker != null) { mCurrLocationMarker.remove(); } //Place current location marker /* LatLng latLng = new LatLng(location.getLatitude(), location.getLongitude()); MarkerOptions markerOptions = new MarkerOptions(); markerOptions.position(latLng); markerOptions.title("Current Position"); markerOptions.icon(BitmapDescriptorFactory.defaultMarker(BitmapDescriptorFactory.HUE_MAGENTA)); mCurrLocationMarker = mMap.addMarker(markerOptions); */ //move map camera /* mMap.moveCamera(CameraUpdateFactory.newLatLng(latLng)); mMap.animateCamera(CameraUpdateFactory.zoomTo(11));*/ //stop location updates if (mGoogleApiClient != null) { LocationServices.FusedLocationApi.removeLocationUpdates(mGoogleApiClient, this); } } @Override public void onConnectionFailed(ConnectionResult connectionResult) { } public static final int MY_PERMISSIONS_REQUEST_LOCATION = 99; public boolean checkLocationPermission(){ if (ContextCompat.checkSelfPermission(this, Manifest.permission.ACCESS_FINE_LOCATION) != PackageManager.PERMISSION_GRANTED) { // Asking user if explanation is needed if (ActivityCompat.shouldShowRequestPermissionRationale(this, Manifest.permission.ACCESS_FINE_LOCATION)) { // Show an explanation to the user *asynchronously* -- don't block // this thread waiting for the user's response! After the user // sees the explanation, try again to request the permission. //Prompt the user once explanation has been shown ActivityCompat.requestPermissions(this, new String[]{Manifest.permission.ACCESS_FINE_LOCATION}, MY_PERMISSIONS_REQUEST_LOCATION); } else { // No explanation needed, we can request the permission. ActivityCompat.requestPermissions(this, new String[]{Manifest.permission.ACCESS_FINE_LOCATION}, MY_PERMISSIONS_REQUEST_LOCATION); } return false; } else { return true; } } @Override public void onRequestPermissionsResult(int requestCode, String permissions[], int[] grantResults) { switch (requestCode) { case MY_PERMISSIONS_REQUEST_LOCATION: { // If request is cancelled, the result arrays are empty. if (grantResults.length > 0 && grantResults[0] == PackageManager.PERMISSION_GRANTED) { // permission was granted. Do the // contacts-related task you need to do. if (ContextCompat.checkSelfPermission(this, Manifest.permission.ACCESS_FINE_LOCATION) == PackageManager.PERMISSION_GRANTED) { if (mGoogleApiClient == null) { buildGoogleApiClient(); } mMap.setMyLocationEnabled(true); } } else { // Permission denied, Disable the functionality that depends on this permission. Toast.makeText(this, "permission denied", Toast.LENGTH_LONG).show(); } return; } // other 'case' lines to check for other permissions this app might request. // You can add here other case statements according to your requirement. } } }
7703a155431a9fdef6ca26f9903d8e5bca571a74
72b0ee566a514788ba5b4ebe34aec6448007e352
/src/com/appxy/billkeeper/activity/TestActivity.java
841f89bce442c553f32b81c4f373ec05b45b6f6f
[]
no_license
sadsunny/BillKeeperFree
84d23bad010948f773f0e920ddeafbfa3d1603e1
633ab6132bef70fb50b0c8903cf7982a406cf10b
refs/heads/master
2021-01-23T18:10:04.931632
2014-04-30T08:26:44
2014-04-30T08:26:44
null
0
0
null
null
null
null
UTF-8
Java
false
false
3,061
java
package com.appxy.billkeeper.activity; import com.appxy.billkeeper.R; import com.appxy.billkeeper.R.layout; import com.appxy.billkeeper.R.menu; import com.appxy.billkeeper.adapter.DialogCategoryIconAdapter; import com.appxy.billkeeper.adapter.DialogChooseCategoryAdapter; import android.os.Bundle; import android.app.Activity; import android.app.AlertDialog; import android.util.Log; import android.view.Gravity; import android.view.LayoutInflater; import android.view.Menu; import android.view.View; import android.view.View.OnClickListener; import android.view.Window; import android.view.WindowManager; import android.widget.AdapterView; import android.widget.Button; import android.widget.GridView; import android.widget.ListAdapter; import android.widget.ListView; import android.widget.RadioButton; import android.widget.AdapterView.OnItemClickListener; public class TestActivity extends Activity { private GridView gridView; private Button textButton; private RadioButton mRadioButton; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_test); // Log.v("test", "test"); textButton= (Button)findViewById(R.id.testbut); textButton.setOnClickListener(new OnClickListener() { @Override public void onClick(View v) { // TODO Auto-generated method stub // LayoutInflater flater = LayoutInflater.from(TestActivity.this);//��categoryicon������ // View view = flater.inflate(R.layout.dialog_category_icon, null); // // DialogCategoryIconAdapter Dadapter = new DialogCategoryIconAdapter(TestActivity.this); // GridView gridView = (GridView)view.findViewById(R.id.dialogGridView); // gridView.setAdapter(Dadapter); // // AlertDialog.Builder builder = new AlertDialog.Builder(TestActivity.this); // builder.setView(view); // AlertDialog alert = builder.create(); // alert.show(); LayoutInflater flater = LayoutInflater.from(TestActivity.this);//��categoryicon������ View view = flater.inflate(R.layout.dialog_choose_category, null); DialogChooseCategoryAdapter cCaAdapter = new DialogChooseCategoryAdapter(TestActivity.this); ListView listView =(ListView)view.findViewById(R.id.listView); listView.setOnItemClickListener(new OnItemClickListener(){ @Override public void onItemClick(AdapterView<?> arg0, View arg1, int arg2, long arg3) { // TODO Auto-generated method stub Log.v("test", "testitem"); } }); listView.setAdapter(cCaAdapter); AlertDialog.Builder builder = new AlertDialog.Builder(TestActivity.this); builder.setView(view); AlertDialog alert = builder.create(); alert.show(); } }); } @Override public boolean onCreateOptionsMenu(Menu menu) { // Inflate the menu; this adds items to the action bar if it is present. getMenuInflater().inflate(R.menu.test, menu); return true; } }
0c498dae04754b81a83b71d068ef0b1d0e1c6b61
1ef2c6182582592157414cd0aaf0a3f629e1bf25
/joy-web/src/main/java/org/joy/web/spmvc/modules/sysres/datasrc/controller/SysDataSrcController.java
e21a89a49dfe853b0ad61a27ddec3e28c9886394
[]
no_license
zenjava/joy
95af28c0eeb7213ae2a42a12f9a8e41d29b8fda9
dc1eb57dfe0429455b18c833302ef2b34fd7d0a5
refs/heads/master
2021-01-22T19:30:44.484376
2014-10-31T06:06:16
2014-10-31T06:06:18
34,838,163
1
0
null
2015-04-30T06:30:54
2015-04-30T06:30:54
null
UTF-8
Java
false
false
604
java
package org.joy.web.spmvc.modules.sysres.datasrc.controller; import org.joy.core.sysres.datasrc.model.po.TSysDataSrc; import org.joy.web.spmvc.core.BaseCrudController; import org.springframework.stereotype.Controller; import org.springframework.web.bind.annotation.RequestMapping; /** * * @since 1.0.0 * @author Kevice * @time 2013年10月15日 下午11:27:05 */ @Controller @RequestMapping("/sysDataSrc") public class SysDataSrcController extends BaseCrudController<TSysDataSrc> { @Override protected String getCurrentViewName() { return "joy/commons/core/sysres/dataSrc/sysDataSrc"; } }
0bba9b6ed74f4c3184f1d40ea7d1d9de0a19eea8
5283f95acfcfe32d15b4431ff30b1717fcc79af3
/travels/src/test/java/com/example/travels/TravelsApplicationTests.java
99d2ccea5ea54cb22e1e243a9e47f108ccf16613
[]
no_license
yuanbolv123/travel
4c2bda2a086baae62aee89540c53e59d25dce784
e194ce76bb06361fa20f00a6a9e7e7e836072031
refs/heads/master
2023-03-11T04:56:26.660148
2020-07-30T03:27:55
2020-07-30T03:27:55
283,658,542
1
1
null
null
null
null
UTF-8
Java
false
false
221
java
package com.example.travels; import org.junit.jupiter.api.Test; import org.springframework.boot.test.context.SpringBootTest; @SpringBootTest class TravelsApplicationTests { @Test void contextLoads() { } }
1bd64f5d6b577742c878d0fc68d3cb0f379ed8bd
e55f3db10fdaea617938a3ca27a4866699b7e0e1
/Server/src/main/java/entities/AssetAllocationEntity.java
579c1696f4cdadc05cdc9c08294b9be446ea07bf
[]
no_license
zhibzeng/FOFQuant
568b0908bff1b421dd0c13132ea8e40023a55815
b723d9f9f568a118ed91981b32e1f3d8fac93496
refs/heads/master
2021-04-15T11:45:05.047718
2016-11-18T16:46:21
2016-11-18T16:46:21
null
0
0
null
null
null
null
UTF-8
Java
false
false
5,983
java
package entities; import javax.persistence.*; /** * Created by Daniel on 2016/8/16. */ @Entity @Table(name = "asset_allocation", schema = "fofquant", catalog = "") @IdClass(AssetAllocationEntityPK.class) public class AssetAllocationEntity { private String code; private String date; private Double stockValue; private Double stockRatio; private Double bondValue; private Double bondRatio; private Double cashValue; private Double cashRatio; private Double totalValue; private Double netValue; private Double otherRatio; private Double otherValue; @Id @Column(name = "code", nullable = false, length = 255) public String getCode() { return code; } public void setCode(String code) { this.code = code; } @Id @Column(name = "date", nullable = false) public String getDate() { return date; } public void setDate(String date) { this.date = date; } @Basic @Column(name = "stock_value", nullable = true, precision = 0) public Double getStockValue() { return stockValue; } public void setStockValue(Double stockValue) { this.stockValue = stockValue; } @Basic @Column(name = "stock_ratio", nullable = true, precision = 0) public Double getStockRatio() { return stockRatio; } public void setStockRatio(Double stockRatio) { this.stockRatio = stockRatio; } @Basic @Column(name = "bond_value", nullable = true, precision = 0) public Double getBondValue() { return bondValue; } public void setBondValue(Double bondValue) { this.bondValue = bondValue; } @Basic @Column(name = "bond_ratio", nullable = true, precision = 0) public Double getBondRatio() { return bondRatio; } public void setBondRatio(Double bondRatio) { this.bondRatio = bondRatio; } @Basic @Column(name = "cash_value", nullable = true, precision = 0) public Double getCashValue() { return cashValue; } public void setCashValue(Double cashValue) { this.cashValue = cashValue; } @Basic @Column(name = "cash_ratio", nullable = true, precision = 0) public Double getCashRatio() { return cashRatio; } public void setCashRatio(Double cashRatio) { this.cashRatio = cashRatio; } @Basic @Column(name = "total_value", nullable = true, precision = 0) public Double getTotalValue() { return totalValue; } public void setTotalValue(Double totalValue) { this.totalValue = totalValue; } @Basic @Column(name = "net_value", nullable = true, precision = 0) public Double getNetValue() { return netValue; } public void setNetValue(Double netValue) { this.netValue = netValue; } @Basic @Column(name = "other_ratio", nullable = true, precision = 0) public Double getOtherRatio() { return otherRatio; } public void setOtherRatio(Double otherRatio) { this.otherRatio = otherRatio; } @Basic @Column(name = "other_value", nullable = true, precision = 0) public Double getOtherValue() { return otherValue; } public void setOtherValue(Double otherValue) { this.otherValue = otherValue; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; AssetAllocationEntity that = (AssetAllocationEntity) o; if (code != null ? !code.equals(that.code) : that.code != null) return false; if (date != null ? !date.equals(that.date) : that.date != null) return false; if (stockValue != null ? !stockValue.equals(that.stockValue) : that.stockValue != null) return false; if (stockRatio != null ? !stockRatio.equals(that.stockRatio) : that.stockRatio != null) return false; if (bondValue != null ? !bondValue.equals(that.bondValue) : that.bondValue != null) return false; if (bondRatio != null ? !bondRatio.equals(that.bondRatio) : that.bondRatio != null) return false; if (cashValue != null ? !cashValue.equals(that.cashValue) : that.cashValue != null) return false; if (cashRatio != null ? !cashRatio.equals(that.cashRatio) : that.cashRatio != null) return false; if (totalValue != null ? !totalValue.equals(that.totalValue) : that.totalValue != null) return false; if (netValue != null ? !netValue.equals(that.netValue) : that.netValue != null) return false; if (otherRatio != null ? !otherRatio.equals(that.otherRatio) : that.otherRatio != null) return false; if (otherValue != null ? !otherValue.equals(that.otherValue) : that.otherValue != null) return false; return true; } @Override public int hashCode() { int result = code != null ? code.hashCode() : 0; result = 31 * result + (date != null ? date.hashCode() : 0); result = 31 * result + (stockValue != null ? stockValue.hashCode() : 0); result = 31 * result + (stockRatio != null ? stockRatio.hashCode() : 0); result = 31 * result + (bondValue != null ? bondValue.hashCode() : 0); result = 31 * result + (bondRatio != null ? bondRatio.hashCode() : 0); result = 31 * result + (cashValue != null ? cashValue.hashCode() : 0); result = 31 * result + (cashRatio != null ? cashRatio.hashCode() : 0); result = 31 * result + (totalValue != null ? totalValue.hashCode() : 0); result = 31 * result + (netValue != null ? netValue.hashCode() : 0); result = 31 * result + (otherRatio != null ? otherRatio.hashCode() : 0); result = 31 * result + (otherValue != null ? otherValue.hashCode() : 0); return result; } }
9e549a2d20d1d85de53b1649d9dd04bce7bfd379
b9b0bc1b93bf1ff4b164a80f98bd8d3feea3798c
/chap07/src/sec02/exam01_inheritance/CellPhone.java
1d1ad899e49bcb87199c44c37df35d980afbe0a1
[]
no_license
InKyu24/ThisIsJava_Study
7008b585e2dbca0c6d64ed66c47a94b980fbb071
7a529ebb2c903cef4552fb15765288f8760fb49b
refs/heads/master
2023-09-02T11:41:47.065369
2021-02-06T14:45:57
2021-02-06T14:45:57
334,876,212
1
0
null
null
null
null
UHC
Java
false
false
555
java
package sec02.exam01_inheritance; public class CellPhone { //필드 String model; String color; //생성자 //메소드 void powerOn() { System.out.println("전원을 켭니다."); } void powerOff() { System.out.println("전원을 끕니다."); } void bell() { System.out.println("벨이 울립니다."); } void sendVoice(String message) { System.out.println("자기: " + message); } void receiveVoice(String message) { System.out.println("상대방: " + message); } void hangUp() { System.out.println("전화를 끊습니다."); } }
83bf5381e0932501fd56a76b367fce14bdc20dbb
f7cb41fe0859d80574e412f51280376c8e3c9e0f
/yard/skills/66-java/spboot/src/main/java/com/bbxyard/spboot/pojo/Resource.java
6e459b6ba7aec6437c509c72ac4a54523ac1c449
[ "Apache-2.0" ]
permissive
bbxyard/bbxyard
7ca771af10237ae9a6d758baf26d78d110e8c296
5bf32150fa5cade9e4d9063037e5a03e587f9577
refs/heads/master
2023-01-14T17:39:04.191739
2020-08-18T06:56:36
2020-08-18T06:56:36
11,716,364
1
2
Apache-2.0
2022-12-30T01:25:47
2013-07-28T06:48:59
C
UTF-8
Java
false
false
1,214
java
package com.bbxyard.spboot.pojo; import org.springframework.boot.context.properties.ConfigurationProperties; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.PropertySource; @Configuration @ConfigurationProperties(prefix = "com.imooc.opensource") @PropertySource(value = "classpath:resource.properties") public class Resource { private String name; // private String website; // private String language; // public Resource() { this.name = "imooc"; this.website = "www.imooc.com"; this.language = "Java"; } public Resource(String name, String website, String language) { this.name = name; this.website = website; this.language = language; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getWebsite() { return website; } public void setWebsite(String website) { this.website = website; } public String getLanguage() { return language; } public void setLanguage(String language) { this.language = language; } }
4aea3a6310fd99f90cee31fb1f606bee2c353385
d3bda7753691144cc19d97b327cbd6d387eb9615
/app/src/main/java/com/journals/asianpharmtech/ui/adapter/InPressAdapter.java
a4100e73e48a2d5e9dae6fbfc16199b1b71cf80e
[]
no_license
suresh429/asianpharmtech
81f4c7b7fd522cf13c6d397d44c74589705620f2
a1a95686a6eb49cf261b340b2de88396c7c14bf0
refs/heads/master
2023-01-04T23:54:42.982882
2020-11-02T13:42:32
2020-11-02T13:42:32
309,378,065
0
0
null
null
null
null
UTF-8
Java
false
false
4,443
java
package com.journals.asianpharmtech.ui.adapter; import android.annotation.SuppressLint; import android.content.Context; import android.os.Bundle; import android.text.Html; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import androidx.annotation.NonNull; import androidx.navigation.Navigation; import androidx.recyclerview.widget.RecyclerView; import com.journals.asianpharmtech.R; import com.journals.asianpharmtech.databinding.InpressItemBinding; import com.journals.asianpharmtech.model.InPressResponse; import java.util.List; import static com.journals.asianpharmtech.helper.utils.viewInBrowser; public class InPressAdapter extends RecyclerView.Adapter<InPressAdapter.ViewHolder> { List<InPressResponse.InpressDetailsBean> modelList; Context context; public InPressAdapter(List<InPressResponse.InpressDetailsBean> modelList,Context context) { this.modelList = modelList; this.context = context; } @NonNull @Override public InPressAdapter.ViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) { return new ViewHolder(InpressItemBinding.inflate(LayoutInflater.from(parent.getContext()), parent, false)); } @SuppressLint("SetTextI18n") @Override public void onBindViewHolder(@NonNull InPressAdapter.ViewHolder holder, int position) { holder.rowItemBinding.txtIssueType.setText(modelList.get(position).getArt_type()); holder.rowItemBinding.txtIssueTitle.setText(modelList.get(position).getTitle()); holder.rowItemBinding.txtIssueAuthor.setText(Html.fromHtml(modelList.get(position).getAuthor_names())); holder.rowItemBinding.txtIssueDOI.setText("DOI : " + modelList.get(position).getDoi_num()); if (modelList.get(position).getAbstractlink() != null && !modelList.get(position).getAbstractlink().equalsIgnoreCase("null") && !modelList.get(position).getAbstractlink().isEmpty() ) { holder.rowItemBinding.txtAbstract.setVisibility(View.VISIBLE); } else { holder.rowItemBinding.txtAbstract.setVisibility(View.GONE); } if (modelList.get(position).getPdflink() != null && !modelList.get(position).getPdflink().equalsIgnoreCase("null") && !modelList.get(position).getPdflink().isEmpty() ) { holder.rowItemBinding.txtPDF.setVisibility(View.VISIBLE); } else { holder.rowItemBinding.txtPDF.setVisibility(View.GONE); } if (modelList.get(position).getFulltextlink() != null && !modelList.get(position).getFulltextlink().equalsIgnoreCase("null") && !modelList.get(position).getFulltextlink().isEmpty() ) { holder.rowItemBinding.txtFullText.setVisibility(View.VISIBLE); } else { holder.rowItemBinding.txtFullText.setVisibility(View.GONE); } holder.rowItemBinding.txtAbstract.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { Bundle bundle = new Bundle(); bundle.putString("abstractlink", modelList.get(position).getAbstractlink()); bundle.putString("ActionBarTitle","Abstract"); Navigation.findNavController(v).navigate(R.id.abstractDisplayFragment,bundle); } }); holder.rowItemBinding.txtPDF.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { viewInBrowser(context,modelList.get(position).getPdflink(),"Not Found"); } }); holder.rowItemBinding.txtFullText.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { viewInBrowser(context,modelList.get(position).getFulltextlink(),"Not Found"); } }); } @Override public int getItemCount() { return modelList.size(); } @Override public long getItemId(int position) { return position; } @Override public int getItemViewType(int position) { return position; } public static class ViewHolder extends RecyclerView.ViewHolder { InpressItemBinding rowItemBinding; public ViewHolder(@NonNull InpressItemBinding rowItemBinding) { super(rowItemBinding.getRoot()); this.rowItemBinding = rowItemBinding; } } }
544ce6869f2c928ebe342adf2ff85348ae0354bf
e88385996beb711480f2b112ab8c2f574c4b45e1
/src/main/java/HTTP/Homework_20/Photo.java
6fe181a672c7a0166540483ae0476c1662cdde6c
[]
no_license
Swissgears/Hillel_Homework_2019
dc58d095b969973b56a60cd735f2633fd8a84a06
dbe295f6bf72c78d82c4f331b393d5f5de86d13e
refs/heads/master
2020-06-16T07:54:28.401005
2019-10-26T19:46:23
2019-10-26T19:46:23
195,283,342
0
0
null
null
null
null
UTF-8
Java
false
false
1,356
java
package HTTP.Homework_20; public class Photo { private Integer albumId; private Integer id; private String title; private String url; private String thumbnailUrl; public Integer getAlbumId() { return albumId; } public void setAlbumId(Integer albumId) { this.albumId = albumId; } public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getUrl() { return url; } public void setUrl(String url) { this.url = url; } public String getThumbnailUrl() { return thumbnailUrl; } public void setThumbnailUrl(String thumbnailUrl) { this.thumbnailUrl = thumbnailUrl; } @Override public String toString() { return "albumId = " + albumId + "\n" + "id = " + id + "\n" + "title = " + title + "\n" + "url = " + url + "\n" + "thumbnailUrl = " + thumbnailUrl + "\n" + "\n"; } }
ab53dadc917605d1576095194d4cda81f98ba59d
3b91ed788572b6d5ac4db1bee814a74560603578
/com/google/android/gms/c/d.java
cf624c92f00e7362c2e7d64cf2623e417f9a61b9
[]
no_license
linsir6/WeChat_java
a1deee3035b555fb35a423f367eb5e3e58a17cb0
32e52b88c012051100315af6751111bfb6697a29
refs/heads/master
2020-05-31T05:40:17.161282
2018-08-28T02:07:02
2018-08-28T02:07:02
null
0
0
null
null
null
null
UTF-8
Java
false
false
220
java
package com.google.android.gms.c; import android.os.IInterface; public interface d extends IInterface { boolean av(boolean z); String bq(String str); String getId(); void i(String str, boolean z); }
933dac063112cde1cf856fe3a14b3c4f14ba5167
9a37e713ddb07ced2b8835574e1c7a741c70b306
/androidRoute/src/main/java/com/ucsmy/ucsroute/builder/ActivityBuilder.java
228fb0a94aad2367798e6037f5e15c1462be51cf
[]
no_license
chenkb730/AndroidComponment
b7b2714ba67eb337c4282b981a9f37a1d5a308dd
99f29bb2363ce74d5ca569eac2a1e22751ef9a09
refs/heads/master
2018-10-16T07:52:04.789563
2018-07-23T09:01:59
2018-07-23T09:01:59
116,222,546
0
0
null
null
null
null
UTF-8
Java
false
false
2,656
java
package com.ucsmy.ucsroute.builder; import android.app.Activity; import android.content.Context; import android.content.Intent; import android.text.TextUtils; import com.ucsmy.ucsroute.UcsRoute; import com.ucsmy.ucsroute.helper.UcsRouteHelper; import java.io.Serializable; import java.util.Map; import java.util.Set; /** * 构建跳转的builder * Created by Seven on 2018/7/12. */ public final class ActivityBuilder extends UcsRoute.Builder { public ActivityBuilder(Context mContext) { super(mContext); } /** * 对应的activity * * @return */ protected String activityName() { return UcsRouteHelper.activityName(mContext, uri.host(), tag); } /** * 构建意图 * * @return */ protected Intent routeIntent() { if(TextUtils.isEmpty(activityName())) { return null; } return UcsRouteHelper.getUcsIntent(mContext, activityName()); } /** * 构建参数 */ protected void IntentParam(Intent intent) { if(null == intent) { return; } if(null != map && !map.isEmpty()) { Set<Map.Entry<String, Object>> entry = map.entrySet(); for (Map.Entry e : entry) { Object o = e.getValue(); if(null != o) { if(o instanceof Integer) { intent.putExtra(e.getKey().toString(), Integer.valueOf(o.toString())); } else if(o instanceof Float) { intent.putExtra(e.getKey().toString(), Float.valueOf(o.toString())); } else if(o instanceof Double) { intent.putExtra(e.getKey().toString(), Double.valueOf(o.toString())); } else if(o instanceof String) { intent.putExtra(e.getKey().toString(), o.toString()); } else if(o instanceof Boolean) { intent.putExtra(e.getKey().toString(), Boolean.valueOf(o.toString())); } else if(o instanceof Serializable) { intent.putExtra(e.getKey().toString(), (Serializable) o); } } } } } /** * 启动 * activity */ public void startActivity() { Intent intent = routeIntent(); if(null == intent) { return; } IntentParam(intent); if(requestCode != -1) { ((Activity) mContext).startActivityForResult(intent, requestCode); } else { mContext.startActivity(intent); } } }
6a8fe89be840fa096bdb82acb8f3e01fceca8662
a14783cedbfd49570518e3178254c2baa726148f
/src/test/java/com/myohanhtet/mypostalcode/MypostalcodeApplicationTests.java
e42541b0bd714573fad317442d30111cf2c47345
[]
no_license
myohanhtet/Myanmar-Postal-Code
aada0994f6cf4638b59e6974d4a204952488580d
a250f0b3b63f379d072eef56a369549fdc228d1b
refs/heads/master
2022-12-10T05:38:18.625229
2020-09-13T12:06:49
2020-09-13T12:06:49
295,031,239
2
0
null
null
null
null
UTF-8
Java
false
false
225
java
package com.myohanhtet.mypostalcode; import org.junit.jupiter.api.Test; import org.springframework.boot.test.context.SpringBootTest; @SpringBootTest class MypostalcodeApplicationTests { @Test void contextLoads() { } }
cba948a9931569e4e6b7ac12439b23e064d40ea0
3581cc6654ca4bcd2fe79bbd6c647572b24a22a1
/src/com/inolas/solutions/ctci/c2_1_RemoveDups.java
d4287dbfc74205df7e731e76a84010bc0717fd5d
[]
no_license
Inolas/learn-code
81b0b86f3a469226a921dbc3d87d1b891ec5256c
b946f15cfe4e52cb830e9c1f83db9c323f4194a9
refs/heads/master
2021-07-05T15:25:54.719038
2020-09-24T06:18:27
2020-09-24T06:18:27
184,531,020
0
0
null
2019-06-07T07:34:04
2019-05-02T06:19:47
Java
UTF-8
Java
false
false
1,135
java
package com.inolas.solutions.ctci; import com.inolas.classes.LinkedList; import com.inolas.classes.ListNode; public class c2_1_RemoveDups { public void removeDups(ListNode head) { ListNode current = head; while (current != null) { ListNode runner = current.next; while (runner.next != null) { if (current.data == runner.next.data) { runner.next = runner.next.next; } else { runner = runner.next; } // runner = runner.next; } current = current.next; } // head.printList(); } public static void main(String[] args) { LinkedList ll1 = new LinkedList(); ll1.insert(1); ll1.insert(3); ll1.insert(1); ll1.insert(4); ll1.insert(1); ll1.insert(9); // ll1.printList(); ListNode ln1 = ll1.returnListNode(); c2_1_RemoveDups rn = new c2_1_RemoveDups(); rn.removeDups(ln1); ln1.printList(); } }
4e6d746ee29300ab872834d13863b8990e7d0ab9
1cb9cd6699b467917830c649c634193fea6f3f4d
/src/main/java/com/SysC/bean/Sign.java
46cf30cb34e8f0a5350ce7542d1784734546fba4
[]
no_license
c-awatsu/SystemDesignProjectC
e109128dc1585b8271cf5bb315030e0bf2b5e408
87d17f60f0af4adeae4484c516be06942c2e00fe
refs/heads/master
2020-04-06T04:19:00.366400
2016-07-22T06:25:40
2016-07-22T06:25:40
57,085,137
0
0
null
null
null
null
UTF-8
Java
false
false
635
java
package com.SysC.bean; import java.io.Serializable; import lombok.AllArgsConstructor; import lombok.Data; import lombok.NonNull; import org.apache.wicket.authroles.authorization.strategies.role.Roles; /** * 既にSignInした後のユーザー情報を格納するBean */ @Data @AllArgsConstructor public class Sign implements Serializable{ private static final long serialVersionUID = 4209174269846034743L; @NonNull private Integer accountId; @NonNull private String accountName; @NonNull private Roles role; public Sign(){ accountId = -1; accountName = ""; new Roles(); } }
9f20c2a08c4aff4f998157c110cdd1a45765889b
ed485890395b0adc7b6544986c5cbdb5098caaaa
/src/main/java/com/qinfei/qferp/controller/statistics/StatisticsOverviewController.java
228e0b786bd5ba134314f6f4f9990420d6c66f6f
[]
no_license
xeon-ye/croa
ef44a2a3815badd216cd93d829d810d84ef34ffc
fc3806685f9b4676fcaa9cec940f902c4bfcff7f
refs/heads/master
2023-02-23T13:21:18.820765
2021-01-28T11:01:37
2021-01-28T11:01:37
null
0
0
null
null
null
null
UTF-8
Java
false
false
5,264
java
package com.qinfei.qferp.controller.statistics; import com.qinfei.core.ResponseData; import com.qinfei.core.annotation.Verify; import com.qinfei.core.log.OperateType; import com.qinfei.core.log.annotation.Log; import com.qinfei.qferp.service.statistics.IStatisticsOverviewService; import com.github.pagehelper.PageInfo; import io.swagger.annotations.ApiOperation; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.data.domain.Pageable; import org.springframework.data.web.PageableDefault; import org.springframework.stereotype.Controller; import org.springframework.web.bind.annotation.*; import javax.servlet.http.HttpServletResponse; import java.util.Map; /** *统计概况 */ @Controller @RequestMapping("/statisticsOverview") class StatisticsOverviewController { @Autowired private IStatisticsOverviewService statisticsOverviewService; @PostMapping("getStatisticsById") @Log(opType = OperateType.QUERY, note = "不同维度的统计总数", module = "统计概况") @ResponseBody public ResponseData getStatisticsById(@RequestParam Map map){ return ResponseData.ok().putDataValue("result",statisticsOverviewService.getStatisticsById(map)); } @PostMapping("listMediaTypeStatisticsById") @Log(opType = OperateType.QUERY, note = "不同维度板块占比", module = "统计概况") @ResponseBody public ResponseData listMediaTypeStatisticsById(@RequestParam Map map){ return ResponseData.ok().putDataValue("result",statisticsOverviewService.listMediaTypeStatisticsById(map)); } @PostMapping("listTrendStatisticsById") @Log(opType = OperateType.QUERY, note = "不同维度趋势图,按时间排序", module = "统计概况") @ResponseBody public ResponseData listTrendStatisticsById(@RequestParam Map map){ return ResponseData.ok().putDataValue("list",statisticsOverviewService.listTrendStatisticsById(map)); } @PostMapping("listMediaStatisticsByCustId") @Log(opType = OperateType.QUERY, note = "分页查询客户涉及媒体列表", module = "统计概况/客户维度") @ResponseBody public PageInfo<Map> listMediaStatisticsByCustId(@PageableDefault() Pageable pageable, @RequestParam Map map){ return statisticsOverviewService.listMediaStatisticsByCustId(map,pageable.getPageNumber(),pageable.getPageSize()); } @PostMapping("listCustStatisticsBybusinessId") @Log(opType = OperateType.QUERY, note = "分页查询业务员涉及的客户列表", module = "统计概况/业务员维度") @ResponseBody public PageInfo<Map> listCustStatisticsBybusinessId(@PageableDefault() Pageable pageable, @RequestParam Map map){ return statisticsOverviewService.listCustStatisticsBybusinessId(map,pageable.getPageNumber(),pageable.getPageSize()); } @PostMapping("listMediaStatisticsByMediaUserId") @Log(opType = OperateType.QUERY, note = "分页查询媒介涉及媒体列表", module = "统计概况/媒介维度") @ResponseBody public PageInfo<Map> listMediaStatisticsByMediaUserId(@PageableDefault() Pageable pageable, @RequestParam Map map){ return statisticsOverviewService.listMediaStatisticsByMediaUserId(map,pageable.getPageNumber(),pageable.getPageSize()); } @PostMapping("listMediaStatisticsByMediaTypeId") @Log(opType = OperateType.QUERY, note = "分页查询板块涉及媒体列表", module = "统计概况/板块维度") @ResponseBody public PageInfo<Map> listMediaStatisticsByMediaTypeId(@PageableDefault() Pageable pageable, @RequestParam Map map){ return statisticsOverviewService.listMediaStatisticsByMediaTypeId(map,pageable.getPageNumber(),pageable.getPageSize()); } @PostMapping("listCustStatisticsByMediaId") @Log(opType = OperateType.QUERY, note = "分页查询媒体涉及的客户列表", module = "统计概况/媒体维度") @ResponseBody public PageInfo<Map> listCustStatisticsByMediaId(@PageableDefault() Pageable pageable, @RequestParam Map map){ return statisticsOverviewService.listCustStatisticsByMediaId(map,pageable.getPageNumber(),pageable.getPageSize()); } @PostMapping("listMediaStatisticsBySupplierId") @Log(opType = OperateType.QUERY, note = "分页查询供应商涉及媒体列表", module = "统计概况/板块维度") @ResponseBody public PageInfo<Map> listMediaStatisticsBySupplierId(@PageableDefault() Pageable pageable, @RequestParam Map map){ return statisticsOverviewService.listMediaStatisticsBySupplierId(map,pageable.getPageNumber(),pageable.getPageSize()); } @GetMapping("statisticsOverviewRankingExport") @Log(opType = OperateType.QUERY, note = "列表导出", module = "统计概况/导出列表") public void statisticsOverviewRankingExport(HttpServletResponse response, @RequestParam Map map) throws Exception { statisticsOverviewService.statisticsOverviewRankingExport(response,map); } @GetMapping("statisticsOverviewPermission") @Verify(code = "/statisticsOverview/statisticsOverviewPermission", module = "统计概况权限控制", action = "4") @ResponseBody public ResponseData statisticsOverviewPermission() { return ResponseData.ok(); } }
d20e3ebba92c2fcad3a468cd53ee2c04dc0ee2a5
2fe3106d3fce51e90993620d63d330f7a2ce1580
/jib-core/src/test/java/com/google/cloud/tools/jib/ncache/CacheWriteTest.java
0f0b93803337d0191e393abaf22fb20708d96813
[ "Apache-2.0" ]
permissive
primesign/jib
b8d609458a801507ecae90e044f7214eddf67099
afee688afc33d40f79a594464b376aa712aa1916
refs/heads/master
2020-03-30T01:22:08.254002
2018-10-11T21:32:22
2018-10-11T21:32:22
150,572,700
0
0
null
2018-09-27T10:55:33
2018-09-27T10:55:33
null
UTF-8
Java
false
false
1,938
java
/* * Copyright 2018 Google LLC. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.cloud.tools.jib.ncache; import com.google.cloud.tools.jib.blob.Blobs; import com.google.cloud.tools.jib.image.DescriptorDigest; import java.io.IOException; import org.junit.Assert; import org.junit.Test; import org.junit.runner.RunWith; import org.mockito.Mock; import org.mockito.junit.MockitoJUnitRunner; /** Tests for {@link CacheWrite}. */ @RunWith(MockitoJUnitRunner.class) public class CacheWriteTest { @Mock private DescriptorDigest mockSelector; @Test public void testLayerOnly() throws IOException { CacheWrite cacheWrite = CacheWrite.layerOnly(Blobs.from("layerBlob")); Assert.assertEquals("layerBlob", Blobs.writeToString(cacheWrite.getLayerBlob())); Assert.assertFalse(cacheWrite.getSelector().isPresent()); Assert.assertFalse(cacheWrite.getMetadataBlob().isPresent()); } @Test public void testWithSelectorAndMetadata() throws IOException { CacheWrite cacheWrite = CacheWrite.withSelectorAndMetadata( Blobs.from("layerBlob"), mockSelector, Blobs.from("metadataBlob")); Assert.assertEquals("layerBlob", Blobs.writeToString(cacheWrite.getLayerBlob())); Assert.assertEquals(mockSelector, cacheWrite.getSelector().orElse(null)); Assert.assertEquals( "metadataBlob", Blobs.writeToString(cacheWrite.getMetadataBlob().orElse(null))); } }